Big Data Modeling and Management Assigment - Homework 1¶

Submission¶

GROUP NUMBER: 5

GROUP MEMBERS:

STUDENT NAME STUDENT NUMBER
Alexandre Gonçalves 20240738
André Silvestre 20240502
Filipa Pereira 20240509
João Henriques 20240499
Umeima Mahomed 20240543

🍺 The Beer project 🍺¶

As it was shown in classes, graph databases are a natural way of navegating related information. For this first project we will be taking a graph database to analyse beer and breweries!

The project datasets are based on kaggle, released by Evan Hallmark.

Problem description¶

Imagine you are working in the Data Management department of Analytics company. Explore the database via python neo4j connector and/or the graphical tool in the NEO4J webpage. Answer the questions while adjusting the database to meet the needs of your colleagues. Please record and keep track of your database changes, and submit the file with all cells run and with the output shown.

Questions¶

  1. Explore the database: get familiar with current schema, elements and other important database parameters. [1 point]
  2. Adjust the database and mention reasoning behind: e.g. clean errors, remove redundancies, adjust schema as necessary. Visualize the final version of database schema. [4 points]
  3. Analytics department requires the following information for the biweekly reporting: [5 points]
    1. How many reviews has the beer with the most reviews?
    2. Which three users wrote the most reviews about beers?
    3. Find all beers that are described with following words: 'fruit', 'complex', 'nutty', 'dark'.
    4. Which top three breweries produce the largest variety of beer styles?
    5. Which country produces the most beer styles?
  4. Market Analysis department in your company accesses and updates the trends data on the daily basis. Given that, consider how you need to optimize the database and its performance so that the following queries are efficient. Measure performance to communicate your improvements using PROFILE before final query. Answer the following: [4 points]
    1. Using ABV score, find five strongest beers, display their ABV score and the corresponding brewery? Keep in mind that the strongest known beer is Snake Venom, and deal with the error entries in the database.
    2. Using the answer from question 2, find the top 5 distict beer styles with the highest average score of smell + feel that were reviewed by the third most productive user. Keep in mind that cleaning the database earlier should ensure correct results.
  5. Answer two out of four of the following questions using Graph Algorithms (gds): [NB: make sure to clear the graph before using it again] For the quarterly report, Analytics department the follownig information. [6 points]
    1. Which two countries are most similiar when it comes to their top five most produced Beer styles?
    2. Which beer is the most popular when considering the number of users who reviewed it?
    3. Users are connected together by their reviews of beers, taking into consideration the "smell" score they assign as a weight, how many communities are formed from these relationships? How many users are in the three largest communities?
    4. Which user is the most influential when it comes to reviews of distinct beers by style?

Groups¶

Groups should have 4 people maximum. Please mark which group you are here: https://shorturl.at/zE0QP

Submission¶

The code used to produce the results and to-the-point explations should be uploaded to moodle. They should have a clear reference to the group, either on the file name or on the document itself. Preferably one Jupyter notebook per group.

Delivery date: Until the midnight of March 18, 2025

Evaluation¶

This will be 20% of the final grade.
Each solution will be evaluated on 2 components: correctness of results and efficiency of the query (based on database schema).
All code will go through plagiarism automated checks. Groups with the same code will undergo investigation.

Loading the Database¶

Be sure that you don't have the neo4j docker container from the classes running (you can Stop it in the desktop app or with the command "docker stop Neo4JLab")¶

The default container does not have any data whatsoever, we will have to load a database into our docker image:

  • Download and unzip the Neo4JHWData file provided in Moodle.
  • Copy the path of the Neo4JHWData folder of the unziped file, e.g. C:/PATH/Neo4JHWData/data.
  • Download and unzip the Neo4JPlugins file provided in Moodle.
  • Copy the path of the Neo4JPlugins folder of the unziped file, e.g. C:/PATH/Neo4Jplugins.
  • Change the code below accordingly. As you might have noticed, you do not have a user called nunoa, please use the appropriate path that you got from the previous step. Be sure that you have a neo4j docker container running: \

docker run --name Neo4JHW2025 -p 7474:7474 -p 7687:7687 -d -v "c:\PATH\Neo4JPlugins":/plugins -v "c:\PATH\Neo4JHWData\data":/data --env NEO4J_AUTH=neo4j/test --env NEO4J_dbms_connector_https_advertised__address="localhost:7473" --env NEO4J_dbms_connector_http_advertised__address="localhost:7474" --env NEO4J_dbms_connector_bolt_advertised__address="localhost:7687" --env NEO4J_dbms_security_procedures_unrestricted=gds.* --env NEO4J_dbms_security_procedures_allowlist="gds.*" neo4j:4.4.5

  • Since Neo4j is trying to recognize a new database folder, this might take a bit (let's say 3 minutes), so don't worry.

If the neo4j browser fails to load gds plugins, run the following in the Command Prompt before creating the container again: // Remove stopped containers // docker container prune -f // Remove unused images // docker image prune -a -f // Remove unused volumes // docker volume prune -f // Remove unused networks // docker network prune -f // Remove all unused resources in one command // docker system prune -a -f

docker run --name Neo4JHW2025 -p 7474:7474 -p 7687:7687 -d -v "C:\Users\André Silvestre\OneDrive - NOVAIMS\MDSAA-DS_1ºAno\2º Semestre\5E_Big Data Modelling and Managment_[BDMM]\[BDMM]_Assignment1&2\data\Neo4JPlugins":/plugins -v "C:\Users\André Silvestre\OneDrive - NOVAIMS\MDSAA-DS_1ºAno\2º Semestre\5E_Big Data Modelling and Managment_[BDMM]\[BDMM]_Assignment1&2\data\NEW_VERSION\data":/data --env NEO4J_AUTH=neo4j/test --env NEO4J_dbms_connector_https_advertised__address="localhost:7473" --env NEO4J_dbms_connector_http_advertised__address="localhost:7474" --env NEO4J_dbms_connector_bolt_advertised__address="localhost:7687" --env NEO4J_dbms_security_procedures_unrestricted=gds.* --env NEO4J_dbms_security_procedures_allowlist="gds.*" neo4j:4.4.5

docker run --name Neo4JHW2025 -p 7474:7474 -p 7687:7687 -d -v "C:\Users\André Silvestre\OneDrive - NOVAIMS\MDSAA-DS_1ºAno\2º Semestre\5E_Big Data Modelling and Managment_[BDMM]\[BDMM]_Assignment1&2\data\Neo4JPlugins":/plugins -v "C:\Users\André Silvestre\OneDrive - NOVAIMS\MDSAA-DS_1ºAno\2º Semestre\5E_Big Data Modelling and Managment_[BDMM]\[BDMM]_Assignment1&2\data\NEW_VERSION\data":/data --env NEO4J_AUTH=neo4j/test --env NEO4J_dbms_connector_https_advertised__address="localhost:7473" --env NEO4J_dbms_connector_http_advertised__address="localhost:7474" --env NEO4J_dbms_connector_bolt_advertised__address="localhost:7687" --env NEO4J_dbms_memory_heap_max_size=8G --env NEO4J_dbms_memory_heap_initial_size=8G --env NEO4J_dbms_security_procedures_unrestricted=gds.* --env NEO4J_dbms_security_procedures_allowlist="gds.*" neo4j:4.4.5

In [2]:
from neo4j import GraphDatabase
from pprint import pprint

# Extra
import pandas as pd               # For data manipulation
import numpy as np                # For numerical operations
from tqdm import tqdm             # Progress bar

# Disable FutureWarning messages
import warnings
warnings.simplefilter(action='ignore', category=FutureWarning)
In [3]:
NEO4J_URI="neo4j://localhost:7687"
NEO4J_USERNAME="neo4j"
NEO4J_PASSWORD="test"
In [4]:
driver = GraphDatabase.driver(NEO4J_URI, auth=(NEO4J_USERNAME, NEO4J_PASSWORD), )
In [5]:
def execute_read(driver, query):    
    with driver.session(database="neo4j") as session:
        result = session.execute_read(lambda tx, query: list(tx.run(query)), query)
    return result
In [6]:
def execute_write(driver, query):
    with driver.session(database="neo4j") as session:
        # Write transactions allow the driver to handle retries and transient errors
        result = session.execute_write(lambda tx, query: list(tx.run(query)), query)
    return result

👨‍💻 Answering the questions¶

1. Explore the database¶

In [7]:
# 1. Explore the database: get familiar with current schema, elements and other important database parameters. [1 point]

# 1.1. Get the labels of all nodes in the database
query = """
    CALL db.labels()
"""
result = execute_read(driver, query)
print("Labels of all nodes in the database:")
pprint(result)
Labels of all nodes in the database:
[<Record label='COUNTRIES'>,
 <Record label='CITIES'>,
 <Record label='BREWERIES'>,
 <Record label='BEERS'>,
 <Record label='REVIEWS'>,
 <Record label='STYLE'>,
 <Record label='USER'>]
In [50]:
# 1.2. Get the relationship types in the database
query = """
    CALL db.relationshipTypes()
"""
result = execute_read(driver, query)
print("Relationship types in the database:")
pprint(result)
Relationship types in the database:
[<Record relationshipType='REVIEWED'>,
 <Record relationshipType='BREWED'>,
 <Record relationshipType='IN'>,
 <Record relationshipType='HAS_STYLE'>,
 <Record relationshipType='POSTED'>]
In [51]:
# 1.3. Get the number of nodes in the database
query = """
    MATCH (n)
    RETURN count(n) as count
"""
result = execute_read(driver, query)
pprint(result)
[<Record count=3215489>]
In [52]:
# 1.4. Get the number of relationships in the database
query = """
    MATCH ()-[r]->()
    RETURN count(r) as count
"""
result = execute_read(driver, query)
pprint(result)
[<Record count=5856205>]
In [53]:
# 1.5. Get the number of nodes per label in the database
query = """
    MATCH (n)
    RETURN labels(n) as label, count(n) as count
"""
result = execute_read(driver, query)
pprint(result)
[<Record label=['COUNTRIES'] count=400>,
 <Record label=['CITIES'] count=23330>,
 <Record label=['BREWERIES'] count=100694>,
 <Record label=['BEERS'] count=417746>,
 <Record label=['REVIEWS'] count=2549252>,
 <Record label=['STYLE'] count=113>,
 <Record label=['USER'] count=123935>]
  • With this query we can see that we have $7$ different types of nodes in the database: COUNTRIES with $400$ nodes, CITIES with $23\;330$ nodes, BREWERIES with $100\;694$ nodes, BEERS with $417\;746$ nodes, REVIEWS with $2\;549\;252$ nodes, STYLE with $113$ nodes and USER with $123\;935$ nodes.
In [54]:
# 1.6. Get the number of relationships per type in the database
query = """
    MATCH ()-[r]->()
    RETURN type(r) as type, count(r) as NumberOfRelationships
    ORDER BY NumberOfRelationships DESC
"""
result = execute_read(driver, query)
pprint(result)
[<Record type='POSTED' NumberOfRelationships=2538044>,
 <Record type='REVIEWED' NumberOfRelationships=2537991>,
 <Record type='BREWED' NumberOfRelationships=358873>,
 <Record type='HAS_STYLE' NumberOfRelationships=358873>,
 <Record type='IN' NumberOfRelationships=62424>]
  • We also have $5$ different types of relationships in the database: POSTED with $2\;538\;044$ relationships, REVIEWED with $2\;537\;991$ relationships, BREWED with $358\;873$ relationships, HAS_STYLE with $358\;873$ relationships and IN with $62\;424$ relationships.
In [55]:
# 1.7. For each node label, get a list of properties and their types

# This query uses the built-in procedure db.schema.nodeTypeProperties() available in Neo4j 4.x+
# It returns, for each node label (nodeType), each property (propertyName) and its type(s) (propertyTypes)
# Source: https://neo4j.com/docs/operations-manual/current/procedures/#procedure_db_schema_nodetypeproperties
query = """
    CALL db.schema.nodeTypeProperties() YIELD nodeType, propertyName, propertyTypes, mandatory
    RETURN nodeType, propertyName, propertyTypes, mandatory
    ORDER BY nodeType, propertyName
"""
result = execute_read(driver, query)
print("Properties and types for each node label:")
for rec in result:
    print(f"Node Label: {rec['nodeType']:<15} | Property: {rec['propertyName']:<15} | Type(s): {', '.join(rec['propertyTypes']):<20} | Mandatory: {rec['mandatory']}")
Properties and types for each node label:
Node Label: :`BEERS`        | Property: abv             | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: availability    | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: brewery_id      | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: id              | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: name            | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: notes           | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: retired         | Type(s): String               | Mandatory: True
Node Label: :`BEERS`        | Property: state           | Type(s): String               | Mandatory: True
Node Label: :`BREWERIES`    | Property: id              | Type(s): String               | Mandatory: True
Node Label: :`BREWERIES`    | Property: name            | Type(s): String               | Mandatory: True
Node Label: :`BREWERIES`    | Property: notes           | Type(s): String               | Mandatory: True
Node Label: :`BREWERIES`    | Property: state           | Type(s): String               | Mandatory: True
Node Label: :`BREWERIES`    | Property: types           | Type(s): String               | Mandatory: True
Node Label: :`CITIES`       | Property: name            | Type(s): String               | Mandatory: True
Node Label: :`COUNTRIES`    | Property: name            | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: beer_id         | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: date            | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: feel            | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: id              | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: look            | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: overall         | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: score           | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: smell           | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: taste           | Type(s): String               | Mandatory: True
Node Label: :`REVIEWS`      | Property: text            | Type(s): String               | Mandatory: True
Node Label: :`STYLE`        | Property: name            | Type(s): String               | Mandatory: True
Node Label: :`USER`         | Property: name            | Type(s): String               | Mandatory: True
In [56]:
# 1.7.1. Get a example of 1 node for each label
query = """
    MATCH (n)
    WITH DISTINCT labels(n) AS label, collect(n) AS nodes
    RETURN label, nodes[0] AS exampleNode
"""

# Explanation:
# 1. MATCH (n):                                             Match all nodes in the database
# 2. WITH DISTINCT labels(n) AS label, collect(n) AS nodes: For each node, get its labels and collect the node itself
# 3. RETURN label, nodes[0] AS exampleNode:                 Return the label and an example node for each label

result = execute_read(driver, query)
print("Example of 1 node for each label:")
for rec in result:
    print(f"Node Label: {rec['label']} | Node: {rec['exampleNode']}")
Example of 1 node for each label:
Node Label: ['COUNTRIES'] | Node: <Node element_id='0' labels=frozenset({'COUNTRIES'}) properties={'name': 'BE'}>
Node Label: ['CITIES'] | Node: <Node element_id='200' labels=frozenset({'CITIES'}) properties={'name': 'Erpe-Mere'}>
Node Label: ['BREWERIES'] | Node: <Node element_id='11865' labels=frozenset({'BREWERIES'}) properties={'types': 'Brewery', 'notes': 'No notes at this time.', 'name': 'Brouwerij Danny', 'id': '19730', 'state': 'nan'}>
Node Label: ['BEERS'] | Node: <Node element_id='62212' labels=frozenset({'BEERS'}) properties={'notes': 'No notes at this time.', 'abv': '7.3', 'name': 'Olde Cogitator', 'retired': 'f', 'state': 'CA', 'id': '202522', 'availability': ' Rotating', 'brewery_id': '2199'}>
Node Label: ['REVIEWS'] | Node: <Node element_id='421086' labels=frozenset({'REVIEWS'}) properties={'date': '2017-12-21', 'score': '4.5', 'taste': '4.5', 'feel': '4.5', 'overall': '4.5', 'beer_id': '125646', 'text': '\xa0\xa0', 'id': '1', 'smell': '4.5', 'look': '4.5'}>
Node Label: ['STYLE'] | Node: <Node element_id='9494213' labels=frozenset({'STYLE'}) properties={'name': 'English Oatmeal Stout'}>
Node Label: ['USER'] | Node: <Node element_id='9494326' labels=frozenset({'USER'}) properties={'name': 'bluejacket74'}>
  • All properties of the nodes are in strings format, so we will have to convert them to the correct format in order to make the queries more efficient.

List of Properties to convert:

  • abv in BEERS nodes to float.
  • score, taste, feel, overall, smell and look in REVIEWS nodes to float.
  • id in BEERS, BREWERIES and REVIEWS nodes to int.
  • date in REVIEWS nodes to date.
In [57]:
# 1.8. For each relationship type, get a list of properties and their types (relTypeProperties)
query = """
    CALL db.schema.relTypeProperties() YIELD relType, propertyName, propertyTypes
    RETURN relType, propertyName, propertyTypes
    ORDER BY relType, propertyName
"""
result = execute_read(driver, query)
print("Properties and types for each relationship type:")
for rec in result:
    print("Relationship Type:", rec["relType"], "| Property:", rec["propertyName"], "| Type(s):", rec["propertyTypes"])
Properties and types for each relationship type:
Relationship Type: :`BREWED` | Property: None | Type(s): None
Relationship Type: :`HAS_STYLE` | Property: None | Type(s): None
Relationship Type: :`IN` | Property: None | Type(s): None
Relationship Type: :`POSTED` | Property: None | Type(s): None
Relationship Type: :`REVIEWED` | Property: None | Type(s): None
  • All relationships don't have any properties.
In [58]:
# 1.9. For each pair of nodes, print the connection and its direction
query = """
    MATCH (a)-[r]->(b)
    WITH DISTINCT head(labels(a)) AS StartLabel, type(r) AS Relationship, head(labels(b)) AS EndLabel
    RETURN StartLabel, Relationship, EndLabel
    ORDER BY StartLabel, Relationship, EndLabel
"""
result = execute_read(driver, query)
print("Schema of connections (node label - relationship -> node label):")
for rec in result:
    print(rec["StartLabel"], "-", rec["Relationship"], "->", rec["EndLabel"])
Schema of connections (node label - relationship -> node label):
BEERS - HAS_STYLE -> STYLE
BEERS - REVIEWED -> REVIEWS
BREWERIES - BREWED -> BEERS
BREWERIES - IN -> CITIES
CITIES - IN -> COUNTRIES
REVIEWS - POSTED -> USER
In [59]:
# 1.10 Visualize the schema of the database
query = """
    // What is related, and how
    CALL db.schema.visualization()
"""
result = execute_read(driver, query)
print("Schema visualization:")
pprint(result)
Schema visualization:
[<Record nodes=[<Node element_id='-5' labels=frozenset({'REVIEWS'}) properties={'name': 'REVIEWS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-4' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-1' labels=frozenset({'COUNTRIES'}) properties={'name': 'COUNTRIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-3' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-6' labels=frozenset({'STYLE'}) properties={'name': 'STYLE', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-2' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-7' labels=frozenset({'USER'}) properties={'name': 'USER', 'indexes': ['name'], 'constraints': []}>] relationships=[<Relationship element_id='-1' nodes=(<Node element_id='-4' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-5' labels=frozenset({'REVIEWS'}) properties={'name': 'REVIEWS', 'indexes': ['id'], 'constraints': []}>) type='REVIEWED' properties={}>, <Relationship element_id='-2' nodes=(<Node element_id='-3' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-4' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>) type='BREWED' properties={}>, <Relationship element_id='-4' nodes=(<Node element_id='-2' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-2' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-6' nodes=(<Node element_id='-3' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-2' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-5' nodes=(<Node element_id='-3' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-1' labels=frozenset({'COUNTRIES'}) properties={'name': 'COUNTRIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-3' nodes=(<Node element_id='-2' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-1' labels=frozenset({'COUNTRIES'}) properties={'name': 'COUNTRIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-7' nodes=(<Node element_id='-4' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-6' labels=frozenset({'STYLE'}) properties={'name': 'STYLE', 'indexes': ['name'], 'constraints': []}>) type='HAS_STYLE' properties={}>, <Relationship element_id='-8' nodes=(<Node element_id='-5' labels=frozenset({'REVIEWS'}) properties={'name': 'REVIEWS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-7' labels=frozenset({'USER'}) properties={'name': 'USER', 'indexes': ['name'], 'constraints': []}>) type='POSTED' properties={}>]>]

Running the previous query in http://localhost:7474/browser/ we get the following output:

No description has been provided for this image

NOTE: Although the relationship IN between CITIES and itself is shown in the image, it is not present in the database as we can see in the previous query (1.9.).

In [60]:
# 1.11 Get a description of the database
#      Source of the query: http://localhost:7474/browser/ > Favorites > Sample Scripts > Data Profiling > What kind of nodes exist

query = """
    // What kind of nodes exist
    // Sample some nodes, reporting on property and relationship counts per node.
    MATCH (n) WHERE rand() <= 0.1
    RETURN
        DISTINCT labels(n),
            count(*) AS SampleSize,
            avg(size(keys(n))) as Avg_PropertyCount,
            min(size(keys(n))) as Min_PropertyCount,
            max(size(keys(n))) as Max_PropertyCount,
            avg(size( (n)-[]-() ) ) as Avg_RelationshipCount,
            min(size( (n)-[]-() ) ) as Min_RelationshipCount,
            max(size( (n)-[]-() ) ) as Max_RelationshipCount
"""

result = execute_read(driver, query)

# Convert the result to Pandas DataFrame for better visualization
data = [dict(record) for record in result]
df = pd.DataFrame(data)
df.set_index("labels(n)", inplace=True)
df.index.name = "Node Label"
print("Description of the database:")
df
Received notification from DBMS server: {severity: WARNING} {code: Neo.ClientNotification.Statement.FeatureDeprecationWarning} {category: } {title: This feature is deprecated and will be removed in future versions.} {description: A pattern expression should only be used in order to test the existence of a pattern. It should therefore only be used in contexts that evaluate to a boolean, e.g. inside the function exists() or in a WHERE-clause. All other uses are deprecated and should be replaced by a pattern comprehension.} {position: line: 11, column: 23, offset: 405} for query: '\n    // What kind of nodes exist\n    // Sample some nodes, reporting on property and relationship counts per node.\n    MATCH (n) WHERE rand() <= 0.1\n    RETURN\n        DISTINCT labels(n),\n            count(*) AS SampleSize,\n            avg(size(keys(n))) as Avg_PropertyCount,\n            min(size(keys(n))) as Min_PropertyCount,\n            max(size(keys(n))) as Max_PropertyCount,\n            avg(size( (n)-[]-() ) ) as Avg_RelationshipCount,\n            min(size( (n)-[]-() ) ) as Min_RelationshipCount,\n            max(size( (n)-[]-() ) ) as Max_RelationshipCount\n'
Received notification from DBMS server: {severity: WARNING} {code: Neo.ClientNotification.Statement.FeatureDeprecationWarning} {category: } {title: This feature is deprecated and will be removed in future versions.} {description: A pattern expression should only be used in order to test the existence of a pattern. It should therefore only be used in contexts that evaluate to a boolean, e.g. inside the function exists() or in a WHERE-clause. All other uses are deprecated and should be replaced by a pattern comprehension.} {position: line: 12, column: 23, offset: 467} for query: '\n    // What kind of nodes exist\n    // Sample some nodes, reporting on property and relationship counts per node.\n    MATCH (n) WHERE rand() <= 0.1\n    RETURN\n        DISTINCT labels(n),\n            count(*) AS SampleSize,\n            avg(size(keys(n))) as Avg_PropertyCount,\n            min(size(keys(n))) as Min_PropertyCount,\n            max(size(keys(n))) as Max_PropertyCount,\n            avg(size( (n)-[]-() ) ) as Avg_RelationshipCount,\n            min(size( (n)-[]-() ) ) as Min_RelationshipCount,\n            max(size( (n)-[]-() ) ) as Max_RelationshipCount\n'
Received notification from DBMS server: {severity: WARNING} {code: Neo.ClientNotification.Statement.FeatureDeprecationWarning} {category: } {title: This feature is deprecated and will be removed in future versions.} {description: A pattern expression should only be used in order to test the existence of a pattern. It should therefore only be used in contexts that evaluate to a boolean, e.g. inside the function exists() or in a WHERE-clause. All other uses are deprecated and should be replaced by a pattern comprehension.} {position: line: 13, column: 23, offset: 529} for query: '\n    // What kind of nodes exist\n    // Sample some nodes, reporting on property and relationship counts per node.\n    MATCH (n) WHERE rand() <= 0.1\n    RETURN\n        DISTINCT labels(n),\n            count(*) AS SampleSize,\n            avg(size(keys(n))) as Avg_PropertyCount,\n            min(size(keys(n))) as Min_PropertyCount,\n            max(size(keys(n))) as Max_PropertyCount,\n            avg(size( (n)-[]-() ) ) as Avg_RelationshipCount,\n            min(size( (n)-[]-() ) ) as Min_RelationshipCount,\n            max(size( (n)-[]-() ) ) as Max_RelationshipCount\n'
Description of the database:
Out[60]:
SampleSize Avg_PropertyCount Min_PropertyCount Max_PropertyCount Avg_RelationshipCount Min_RelationshipCount Max_RelationshipCount
Node Label
[COUNTRIES] 42 1.0 1 1 15.857143 0 501
[CITIES] 2293 1.0 1 1 2.583951 0 222
[BREWERIES] 10085 5.0 5 5 3.893307 0 923
[BEERS] 41803 8.0 8 8 7.643997 0 3846
[REVIEWS] 254861 10.0 10 10 1.991564 0 2
[STYLE] 18 1.0 1 1 3978.333333 32 22159
[USER] 12304 1.0 1 1 20.136297 0 2748
  • All labels have the same Min_PropertyCount and Max_PropertyCount, so we can assume that all nodes have the same properties.
In [62]:
# 1.12 Get a summary statistics of each property for each node label in the database
#     Source of the query: https://neo4j.com/blog/developer/data-profiling-holistic-view-neo4j/
#                          https://neo4j.com/docs/cypher-manual/current/functions/aggregating/

# Get all properties for each node label
query = """
    CALL db.schema.nodeTypeProperties() YIELD nodeType, propertyName
    WITH nodeType, propertyName
    ORDER BY nodeType, propertyName
    RETURN nodeType, propertyName
"""
properties_result = execute_read(driver, query)

# Initialize a list to store statistics
stats_list = []

# Iterate over each property and calculate statistics
for record in tqdm(properties_result):
    nodeType = record['nodeType'].replace('`', '').replace(':', '')       # Remove backticks and ':'    
    propertyName = record['propertyName']
    
    # Construct and execute the query for each property (except string properties)
    if propertyName.lower() in ['name', 'notes', 'state', 'availability', 'retired', 'types', 'date', 'text']:
        stats_query = f"""
            MATCH (n:{nodeType})
            WHERE n.{propertyName} IS NOT NULL
            RETURN
                '{nodeType}' AS nodeType,
                '{propertyName}' AS propertyName,
                COUNT(n.{propertyName}) AS count,
                COUNT(DISTINCT n.{propertyName}) AS distinctCount,
                '-' AS mean,
                '-' AS min,
                '-' AS max
        """
    else:
        stats_query = f"""
            MATCH (n:{nodeType})
            WHERE n.{propertyName} IS NOT NULL
            WITH toFloat(n.{propertyName}) AS value
            RETURN
                '{nodeType}' AS nodeType,
                '{propertyName}' AS propertyName,
                COUNT(value) AS count,
                COUNT(DISTINCT value) AS distinctCount,
                AVG(value) AS mean,
                MIN(value) AS min,
                MAX(value) AS max
        """
    try:
        stats_result = execute_read(driver, stats_query)
        # Append the results to the list
        if stats_result:
            stats_list.append(stats_result[0])
    except Exception as e:
        print(f"Error processing {nodeType}.{propertyName}: {e}")

# Convert the list to a DataFrame
df = pd.DataFrame(stats_list, columns=['Node', 'Property', 'Count', 'Distinct Count', 'Mean', 'Min', 'Max'])          # Convert the list to a DataFrame
df.set_index(['Node', 'Property'], inplace=True)                                                                      # Set the index to Node and Property (Hierarchical Indexing)
df.fillna('-', inplace=True)                                                                                          # Fill NaN values with 0
df = df.map(
    lambda x: '{:,.0f}'.format(x).replace(',', ' ') if isinstance(x, float) and not np.isnan(x) and not np.isinf(x) and x == int(x) else
              '{:,.2f}'.format(x).replace(',', ' ') if isinstance(x, float) and not np.isnan(x) and not np.isinf(x) else
              x
)                                                                                                                     # Format the DataFrame for better visualization
df 

## Time of Execution: 2m (1st query) + 07min 38s (2nd query) = 9m 38s
100%|██████████| 27/27 [06:57<00:00, 15.46s/it]
Out[62]:
Count Distinct Count Mean Min Max
Node Property
BEERS abv 372718 939 6.53 0.01 100
availability 417746 20 - - -
brewery_id 417746 16569 24 592.84 1 54 144
id 417746 358873 189 196.88 3 374 406
name 417746 298567 - - -
notes 417746 48313 - - -
retired 417746 2 - - -
state 417746 68 - - -
BREWERIES id 100694 50347 27 870.51 1 54 156
name 100694 45245 - - -
notes 100694 3271 - - -
state 100694 68 - - -
types 100694 30 - - -
CITIES name 23330 11665 - - -
COUNTRIES name 400 200 - - -
REVIEWS beer_id 2549252 189645 77 459.01 3 373 128
date 2549252 6379 - - -
feel 1484819 17 3.89 1 5
id 2549252 2546141 4 517 442.86 1 9 073 127
look 1484819 17 3.95 1 5
overall 1484819 17 3.92 1 5
score 2549252 401 3.89 1 5
smell 1484819 17 3.89 1 5
taste 1484819 17 3.92 1 5
text 2549252 814333 - - -
STYLE name 113 113 - - -
USER name 123935 123935 - - -

2. Adjust the database¶

In [63]:
# 2. Adjust the database and mention reasoning behind: 
#    e.g. clean errors, remove redundancies, adjust schema as necessary. 
# Visualize the final version of database schema. [4 points]

2.1. 🔢🔠 Adjust the data types¶

In [65]:
# 2.1. Convert BEERS.brewery_id, BEERS.id, BREWERIES.id, REVIEWS.beer_id, REVIEWS.id to integer
# Convert BEERS.brewery_id and BEERS.id to integer
query = """
    MATCH (n:BEERS)
    SET n.brewery_id = toInteger(n.brewery_id)
    SET n.id = toInteger(n.id);
"""
result = execute_write(driver, query)
pprint(result)

# Convert BREWERIES.id to integer
query = """
    MATCH (n:BREWERIES)
    SET n.id = toInteger(n.id);
"""
result = execute_write(driver, query)
pprint(result)

# Convert REVIEWS.beer_id and REVIEWS.id to integer
query = """
    MATCH (n:REVIEWS)
    SET n.beer_id = toInteger(n.beer_id)
    SET n.id = toInteger(n.id)
"""
result = execute_write(driver, query)
pprint(result)

# {code: Neo.DatabaseError.Statement.ExecutionFailed} {message: Java heap space}
[]
[]
---------------------------------------------------------------------------
DatabaseError                             Traceback (most recent call last)
Cell In[65], line 25
     19 # Convert REVIEWS.beer_id and REVIEWS.id to integer
     20 query = """
     21     MATCH (n:REVIEWS)
     22     SET n.beer_id = toInteger(n.beer_id)
     23     SET n.id = toInteger(n.id)
     24 """
---> 25 result = execute_write(driver, query)
     26 pprint(result)

Cell In[48], line 4, in execute_write(driver, query)
      1 def execute_write(driver, query):
      2     with driver.session(database="neo4j") as session:
      3         # Write transactions allow the driver to handle retries and transient errors
----> 4         result = session.execute_write(lambda tx, query: list(tx.run(query)), query)
      5     return result

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\session.py:803, in Session.execute_write(self, transaction_function, *args, **kwargs)
    750 @NonConcurrentMethodChecker._non_concurrent_method
    751 def execute_write(
    752     self,
   (...)
    757     **kwargs: _P.kwargs,
    758 ) -> _R:
    759     """
    760     Execute a unit of work in a managed write transaction.
    761 
   (...)
    801     .. versionadded:: 5.0
    802     """  # noqa: E501 example code isn't too long
--> 803     return self._run_transaction(
    804         WRITE_ACCESS,
    805         TelemetryAPI.TX_FUNC,
    806         transaction_function,
    807         args,
    808         kwargs,
    809     )

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\session.py:583, in Session._run_transaction(self, access_mode, api, transaction_function, args, kwargs)
    581 tx = self._transaction
    582 try:
--> 583     result = transaction_function(tx, *args, **kwargs)
    584 except asyncio.CancelledError:
    585     # if cancellation callback has not been called yet:
    586     if self._transaction is not None:

Cell In[48], line 4, in execute_write.<locals>.<lambda>(tx, query)
      1 def execute_write(driver, query):
      2     with driver.session(database="neo4j") as session:
      3         # Write transactions allow the driver to handle retries and transient errors
----> 4         result = session.execute_write(lambda tx, query: list(tx.run(query)), query)
      5     return result

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\transaction.py:206, in TransactionBase.run(self, query, parameters, **kwparameters)
    203 self._results.append(result)
    205 parameters = dict(parameters or {}, **kwparameters)
--> 206 result._tx_ready_run(query, parameters)
    208 return result

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\result.py:177, in Result._tx_ready_run(self, query, parameters)
    173 def _tx_ready_run(self, query, parameters):
    174     # BEGIN+RUN does not carry any extra on the RUN message.
    175     # BEGIN {extra}
    176     # RUN "query" {parameters} {extra}
--> 177     self._run(query, parameters, None, None, None, None, None, None)

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\result.py:236, in Result._run(self, query, parameters, db, imp_user, access_mode, bookmarks, notifications_min_severity, notifications_disabled_classifications)
    234 self._pull()
    235 self._connection.send_all()
--> 236 self._attach()

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\result.py:430, in Result._attach(self)
    428 if self._exhausted is False:
    429     while self._attached is False:
--> 430         self._connection.fetch_message()

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_common.py:184, in ConnectionErrorHandler.__getattr__.<locals>.outer.<locals>.inner(*args, **kwargs)
    182 def inner(*args, **kwargs):
    183     try:
--> 184         func(*args, **kwargs)
    185     except (Neo4jError, ServiceUnavailable, SessionExpired) as exc:
    186         assert not asyncio.iscoroutinefunction(self.__on_error)

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_bolt.py:864, in Bolt.fetch_message(self)
    860 # Receive exactly one message
    861 tag, fields = self.inbox.pop(
    862     hydration_hooks=self.responses[0].hydration_hooks
    863 )
--> 864 res = self._process_message(tag, fields)
    865 self.idle_since = monotonic()
    866 return res

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_bolt4.py:498, in Bolt4x0._process_message(self, tag, fields)
    496 self._server_state_manager.state = BoltStates.FAILED
    497 try:
--> 498     response.on_failure(summary_metadata or {})
    499 except (ServiceUnavailable, DatabaseUnavailable):
    500     if self.pool:

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_common.py:254, in Response.on_failure(self, metadata)
    252 handler = self.handlers.get("on_summary")
    253 Util.callback(handler)
--> 254 raise self._hydrate_error(metadata)

DatabaseError: {code: Neo.DatabaseError.Statement.ExecutionFailed} {message: Java heap space}
Transaction failed and will be retried in 0.8927118089735324s (There is not enough memory to perform the current task. Please try increasing 'dbms.memory.heap.max_size' in the neo4j configuration (normally in 'conf/neo4j.conf' or, if you are using Neo4j Desktop, found through the user interface) or if you are running an embedded installation increase the heap by using '-Xmx' command line flag, and then restart the database.)
In [66]:
# Verify the changes
query = """
    MATCH (n:BEERS)
    RETURN n.brewery_id, n.id
    LIMIT 5
"""
result = execute_read(driver, query)
pprint(result)

query = """
    MATCH (n:BREWERIES)
    RETURN n.id
    LIMIT 5
"""
result = execute_read(driver, query)
pprint(result)

query = """
    MATCH (n:REVIEWS)
    RETURN n.beer_id, n.id
    LIMIT 5
"""
result = execute_read(driver, query)
pprint(result)
[<Record n.brewery_id=2199 n.id=202522>,
 <Record n.brewery_id=18604 n.id=82352>,
 <Record n.brewery_id=44306 n.id=214879>,
 <Record n.brewery_id=4378 n.id=320009>,
 <Record n.brewery_id=44617 n.id=246438>]
[<Record n.id=19730>,
 <Record n.id=32541>,
 <Record n.id=44736>,
 <Record n.id=23372>,
 <Record n.id=35328>]
[<Record n.beer_id='125646' n.id='1'>,
 <Record n.beer_id='125646' n.id='2'>,
 <Record n.beer_id='125646' n.id='3'>,
 <Record n.beer_id='125646' n.id='4'>,
 <Record n.beer_id='125646' n.id='6'>]
In [67]:
# 2.1. Convert BEERS.abv, REVIEWS.look, REVIEWS.overall, REVIEWS.score, REVIEWS.smell, REVIEWS.taste to float
query = """
    MATCH (n:BEERS)
    SET n.abv = toFloat(n.abv);
"""
result = execute_write(driver, query)
pprint(result)

query = """
    MATCH (n:REVIEWS)
    SET n.look = toFloat(n.look)
    SET n.overall = toFloat(n.overall)
    SET n.score = toFloat(n.score)
    SET n.smell = toFloat(n.smell)
    SET n.taste = toFloat(n.taste)
"""
result = execute_write(driver, query)
pprint(result)
[]
Transaction failed and will be retried in 0.8642869531754711s (There is not enough memory to perform the current task. Please try increasing 'dbms.memory.heap.max_size' in the neo4j configuration (normally in 'conf/neo4j.conf' or, if you are using Neo4j Desktop, found through the user interface) or if you are running an embedded installation increase the heap by using '-Xmx' command line flag, and then restart the database.)
---------------------------------------------------------------------------
TransientError                            Traceback (most recent call last)
Cell In[67], line 17
      7 pprint(result)
      9 query = """
     10     MATCH (n:REVIEWS)
     11     SET n.look = toFloat(n.look)
   (...)
     15     SET n.taste = toFloat(n.taste)
     16 """
---> 17 result = execute_write(driver, query)
     18 pprint(result)

Cell In[48], line 4, in execute_write(driver, query)
      1 def execute_write(driver, query):
      2     with driver.session(database="neo4j") as session:
      3         # Write transactions allow the driver to handle retries and transient errors
----> 4         result = session.execute_write(lambda tx, query: list(tx.run(query)), query)
      5     return result

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\session.py:803, in Session.execute_write(self, transaction_function, *args, **kwargs)
    750 @NonConcurrentMethodChecker._non_concurrent_method
    751 def execute_write(
    752     self,
   (...)
    757     **kwargs: _P.kwargs,
    758 ) -> _R:
    759     """
    760     Execute a unit of work in a managed write transaction.
    761 
   (...)
    801     .. versionadded:: 5.0
    802     """  # noqa: E501 example code isn't too long
--> 803     return self._run_transaction(
    804         WRITE_ACCESS,
    805         TelemetryAPI.TX_FUNC,
    806         transaction_function,
    807         args,
    808         kwargs,
    809     )

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\session.py:622, in Session._run_transaction(self, access_mode, api, transaction_function, args, kwargs)
    619         raise
    621 if errors:
--> 622     raise errors[-1]
    623 else:
    624     raise ServiceUnavailable("Transaction failed")

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\session.py:595, in Session._run_transaction(self, access_mode, api, transaction_function, args, kwargs)
    593         raise
    594     else:
--> 595         tx._commit()
    596 except (DriverError, Neo4jError) as error:
    597     self._disconnect()

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\work\transaction.py:225, in TransactionBase._commit(self)
    223 self._connection.commit(on_success=metadata.update)
    224 self._connection.send_all()
--> 225 self._connection.fetch_all()
    226 self._bookmark = metadata.get("bookmark")
    227 self._database = metadata.get("db", self._database)

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_bolt.py:879, in Bolt.fetch_all(self)
    877 response = self.responses[0]
    878 while not response.complete:
--> 879     detail_delta, summary_delta = self.fetch_message()
    880     detail_count += detail_delta
    881     summary_count += summary_delta

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_bolt.py:864, in Bolt.fetch_message(self)
    860 # Receive exactly one message
    861 tag, fields = self.inbox.pop(
    862     hydration_hooks=self.responses[0].hydration_hooks
    863 )
--> 864 res = self._process_message(tag, fields)
    865 self.idle_since = monotonic()
    866 return res

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_bolt4.py:498, in Bolt4x0._process_message(self, tag, fields)
    496 self._server_state_manager.state = BoltStates.FAILED
    497 try:
--> 498     response.on_failure(summary_metadata or {})
    499 except (ServiceUnavailable, DatabaseUnavailable):
    500     if self.pool:

File c:\Anaconda3\envs\bdmm\Lib\site-packages\neo4j\_sync\io\_common.py:254, in Response.on_failure(self, metadata)
    252 handler = self.handlers.get("on_summary")
    253 Util.callback(handler)
--> 254 raise self._hydrate_error(metadata)

TransientError: {code: Neo.TransientError.General.OutOfMemoryError} {message: There is not enough memory to perform the current task. Please try increasing 'dbms.memory.heap.max_size' in the neo4j configuration (normally in 'conf/neo4j.conf' or, if you are using Neo4j Desktop, found through the user interface) or if you are running an embedded installation increase the heap by using '-Xmx' command line flag, and then restart the database.}
In [83]:
# Verify the changes
query = """
    MATCH (n:BEERS)
    RETURN n.abv
    LIMIT 5
"""
result = execute_read(driver, query)
pprint(result)

query = """
    MATCH (n:REVIEWS)
    RETURN n.look, n.overall, n.score, n.smell, n.taste
    LIMIT 5
"""
result = execute_read(driver, query)
pprint(result)
[<Record n.abv=7.3>,
 <Record n.abv=10.4>,
 <Record n.abv=4.0>,
 <Record n.abv=8.7>,
 <Record n.abv=5.1>]
[<Record n.look='4.5' n.overall='4.5' n.score='4.5' n.smell='4.5' n.taste='4.5'>,
 <Record n.look='4.75' n.overall='4.75' n.score='4.75' n.smell='4.75' n.taste='4.75'>,
 <Record n.look='4.75' n.overall='4.5' n.score='4.58' n.smell='4.75' n.taste='4.5'>,
 <Record n.look='4.25' n.overall='4.25' n.score='4.31' n.smell='4.5' n.taste='4.25'>,
 <Record n.look='4.75' n.overall='4.75' n.score='4.69' n.smell='4.5' n.taste='4.75'>]

2.2. 🔄️ Find Duplicate Nodes¶

In [8]:
# 2.2. Find duplicate nodes if any (BEERS)
query = """
    // Find duplicate BEERS nodes
    MATCH (b:BEERS)
    WITH b.id AS beerId, count(b) AS count
    WHERE count > 1
    RETURN beerId, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate BEERS nodes
    MATCH (b:BEERS)
    WITH b.id AS beerId, count(b) AS count
    WHERE count > 1
    RETURN count(beerId) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[<Record beerId='214879' count=2>,
 <Record beerId='8036' count=2>,
 <Record beerId='265827' count=2>,
 <Record beerId='110318' count=2>,
 <Record beerId='138971' count=2>,
 <Record beerId='199068' count=2>,
 <Record beerId='80010' count=2>,
 <Record beerId='55175' count=2>,
 <Record beerId='55' count=2>,
 <Record beerId='354484' count=2>]
[<Record totalDuplicates=58873>]

In total we have $58873$ duplicate BEERS ($\frac{58\;873}{417\;746} \approx 14.1\%$)

In [9]:
# Verify if the duplicate nodes have same relationships
query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (b:BEERS)
    WITH b.id AS beerId, count(b) AS count, collect(b) AS nodes
    WHERE count > 1
    WITH beerId, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH beerId, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH beerId, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    RETURN beerId, id(node1) AS id1, id(node2) AS id2, rels1, rels2
    LIMIT 2
"""
result = execute_read(driver, query)
pprint(result)



query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (b:BEERS)
    WITH b.id AS beerId, count(b) AS count, collect(b) AS nodes
    WHERE count > 1
    WITH beerId, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH beerId, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH beerId, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    // Count how many cases
    RETURN count(beerId) AS totalCases
"""
result = execute_read(driver, query)
pprint(result)
[<Record beerId='214879' id1=62214 id2=9721475 rels1=[<Relationship element_id='9494215' nodes=(<Node element_id='62214' labels=frozenset() properties={}>, <Node element_id='9494215' labels=frozenset() properties={}>) type='HAS_STYLE' properties={}>, <Relationship element_id='9072917' nodes=(<Node element_id='13515' labels=frozenset() properties={}>, <Node element_id='62214' labels=frozenset() properties={}>) type='BREWED' properties={}>] rels2=[]>,
 <Record beerId='214879' id1=9721475 id2=62214 rels1=[] rels2=[<Relationship element_id='9494215' nodes=(<Node element_id='62214' labels=frozenset() properties={}>, <Node element_id='9494215' labels=frozenset() properties={}>) type='HAS_STYLE' properties={}>, <Relationship element_id='9072917' nodes=(<Node element_id='13515' labels=frozenset() properties={}>, <Node element_id='62214' labels=frozenset() properties={}>) type='BREWED' properties={}>]>]
[<Record totalCases=117746>]
In [10]:
# 2.2 Find duplicate nodes if any (BREWERIES)
query = """
    // Find duplicate BREWERIES nodes
    MATCH (b:BREWERIES)
    WITH b.id AS breweryId, b.name AS breweryName, count(b) AS count
    WHERE count > 1
    RETURN breweryId, breweryName, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate BREWERIES nodes
    MATCH (b:BREWERIES)
    WITH b.id AS breweryId, count(b) AS count
    WHERE count > 1
    RETURN count(breweryId) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[<Record breweryId='19730' breweryName='Brouwerij Danny' count=2>,
 <Record breweryId='32541' breweryName='Coachella Valley Brewing Co' count=2>,
 <Record breweryId='44736' breweryName="Beef 'O' Brady's" count=2>,
 <Record breweryId='23372' breweryName='Broadway Wine Merchant' count=2>,
 <Record breweryId='35328' breweryName='Brighton Beer Dispensary (DUPLICATE)' count=2>,
 <Record breweryId='31561' breweryName="Teddy's Tavern" count=2>,
 <Record breweryId='35975' breweryName='Modus Operandi Brewing Co.' count=2>,
 <Record breweryId='5618' breweryName='Hops! Beer Restaurant & Pizza' count=2>,
 <Record breweryId='30916' breweryName="Kelly's Cellars" count=2>,
 <Record breweryId='41278' breweryName='The Other End' count=2>]
[<Record totalDuplicates=50347>]
[<Record totalDuplicates=50347>]

In total we have $50; 347$ duplicate BREWERIES ($\frac{50\;347}{100\;694} \approx 50\%$)

In [11]:
# Verify if the duplicate nodes have same relationships
query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (b:BREWERIES)
    WITH b.id AS breweryId, count(b) AS count, collect(b) AS nodes
    WHERE count > 1
    WITH breweryId, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH breweryId, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH breweryId, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    RETURN breweryId, id(node1) AS id1, id(node2) AS id2, rels1, rels2
    LIMIT 2
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (b:BREWERIES)
    WITH b.id AS breweryId, count(b) AS count, collect(b) AS nodes
    WHERE count > 1
    WITH breweryId, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH breweryId, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH breweryId, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    // Count how many cases
    RETURN count(breweryId) AS totalCases
"""
result = execute_read(driver, query)
pprint(result)
[<Record breweryId='19730' id1=11865 id2=9671126 rels1=[<Relationship element_id='9431789' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='200' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9254060' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='243356' labels=frozenset() properties={}>) type='BREWED' properties={}>, <Relationship element_id='9165745' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='155042' labels=frozenset() properties={}>) type='BREWED' properties={}>, <Relationship element_id='9108729' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='98026' labels=frozenset() properties={}>) type='BREWED' properties={}>] rels2=[]>,
 <Record breweryId='19730' id1=9671126 id2=11865 rels1=[] rels2=[<Relationship element_id='9431789' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='200' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9254060' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='243356' labels=frozenset() properties={}>) type='BREWED' properties={}>, <Relationship element_id='9165745' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='155042' labels=frozenset() properties={}>) type='BREWED' properties={}>, <Relationship element_id='9108729' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='98026' labels=frozenset() properties={}>) type='BREWED' properties={}>]>]
[<Record totalCases=100694>]
In [12]:
# Test the code below
# 2.2.* Find a BREWERIES node with name "Brouwerij Danny" and check if there are duplicates
query = """
    MATCH (b:BREWERIES {name: "Brouwerij Danny"})
    RETURN id(b), b{.*}
"""
result = execute_read(driver, query)
pprint(result)
[<Record id(b)=11865 b={'types': 'Brewery', 'notes': 'No notes at this time.', 'name': 'Brouwerij Danny', 'state': 'nan', 'id': '19730'}>,
 <Record id(b)=9671126 b={'types': 'Brewery', 'notes': 'No notes at this time.', 'name': 'Brouwerij Danny', 'state': 'nan', 'id': '19730'}>]
In [13]:
# 2.2. Find duplicate nodes if any (COUNTRIES)
query = """
    // Find duplicate COUNTRIES nodes
    MATCH (c:COUNTRIES)
    WITH c.name AS countryName, count(c) AS count
    WHERE count > 1
    RETURN countryName, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate COUNTRIES nodes
    MATCH (c:COUNTRIES)
    WITH c.name AS countryName, count(c) AS count
    WHERE count > 1
    RETURN count(countryName) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[<Record countryName='BE' count=2>,
 <Record countryName='US' count=2>,
 <Record countryName='GB' count=2>,
 <Record countryName='AU' count=2>,
 <Record countryName='IT' count=2>,
 <Record countryName='CA' count=2>,
 <Record countryName='GR' count=2>,
 <Record countryName='FR' count=2>,
 <Record countryName='AT' count=2>,
 <Record countryName='ES' count=2>]
[<Record totalDuplicates=200>]

In total we have $200$ duplicate COUNTRIES ($\frac{200}{400} = 50\%$)

In [14]:
# Verify if the duplicate nodes have same relationships
query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (c:COUNTRIES)
    WITH c.name AS countryName, count(c) AS count, collect(c) AS nodes
    WHERE count > 1
    WITH countryName, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH countryName, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH countryName, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    RETURN countryName, id(node1) AS id1, id(node2) AS id2, rels1, rels2
    LIMIT 2
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (c:COUNTRIES)
    WITH c.name AS countryName, count(c) AS count, collect(c) AS nodes
    WHERE count > 1
    WITH countryName, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH countryName, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH countryName, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    // Count how many cases
    RETURN count(countryName) AS totalCases
"""
result = execute_read(driver, query)
pprint(result)
[<Record countryName='BE' id1=0 id2=9659261 rels1=[<Relationship element_id='9489096' nodes=(<Node element_id='6946' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492590' nodes=(<Node element_id='10308' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492401' nodes=(<Node element_id='10128' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493497' nodes=(<Node element_id='11175' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493424' nodes=(<Node element_id='11104' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493624' nodes=(<Node element_id='11297' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493567' nodes=(<Node element_id='807' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493344' nodes=(<Node element_id='11028' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492775' nodes=(<Node element_id='10486' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492425' nodes=(<Node element_id='10150' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492351' nodes=(<Node element_id='10080' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493000' nodes=(<Node element_id='10702' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493451' nodes=(<Node element_id='11130' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492914' nodes=(<Node element_id='10619' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494174' nodes=(<Node element_id='11827' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493876' nodes=(<Node element_id='11539' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492629' nodes=(<Node element_id='10346' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492807' nodes=(<Node element_id='10517' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493492' nodes=(<Node element_id='11170' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493485' nodes=(<Node element_id='11164' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493697' nodes=(<Node element_id='11368' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493393' nodes=(<Node element_id='11076' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493547' nodes=(<Node element_id='11223' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494070' nodes=(<Node element_id='11724' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493944' nodes=(<Node element_id='11605' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493392' nodes=(<Node element_id='11075' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493822' nodes=(<Node element_id='11489' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494007' nodes=(<Node element_id='11665' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493441' nodes=(<Node element_id='11121' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493604' nodes=(<Node element_id='11277' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492281' nodes=(<Node element_id='10012' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492199' nodes=(<Node element_id='9932' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492186' nodes=(<Node element_id='9920' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493133' nodes=(<Node element_id='10825' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492353' nodes=(<Node element_id='10082' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492842' nodes=(<Node element_id='10550' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492679' nodes=(<Node element_id='10394' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492781' nodes=(<Node element_id='10492' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492890' nodes=(<Node element_id='10596' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493124' nodes=(<Node element_id='10817' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492459' nodes=(<Node element_id='10182' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492956' nodes=(<Node element_id='10661' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492595' nodes=(<Node element_id='10313' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493643' nodes=(<Node element_id='11314' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492249' nodes=(<Node element_id='9982' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492189' nodes=(<Node element_id='9923' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492285' nodes=(<Node element_id='10015' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492477' nodes=(<Node element_id='10200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493113' nodes=(<Node element_id='10807' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493446' nodes=(<Node element_id='11126' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492915' nodes=(<Node element_id='10620' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493119' nodes=(<Node element_id='10813' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493468' nodes=(<Node element_id='11147' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493268' nodes=(<Node element_id='10954' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492358' nodes=(<Node element_id='10087' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493405' nodes=(<Node element_id='11088' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493297' nodes=(<Node element_id='10983' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494200' nodes=(<Node element_id='11852' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492848' nodes=(<Node element_id='10556' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493622' nodes=(<Node element_id='11295' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494147' nodes=(<Node element_id='11800' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494161' nodes=(<Node element_id='11814' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493871' nodes=(<Node element_id='11535' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493339' nodes=(<Node element_id='11023' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494043' nodes=(<Node element_id='6828' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494183' nodes=(<Node element_id='2009' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493629' nodes=(<Node element_id='11302' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492225' nodes=(<Node element_id='9958' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493726' nodes=(<Node element_id='11396' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493152' nodes=(<Node element_id='10841' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493101' nodes=(<Node element_id='10796' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492361' nodes=(<Node element_id='10090' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493162' nodes=(<Node element_id='10851' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493249' nodes=(<Node element_id='10936' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494037' nodes=(<Node element_id='11693' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493224' nodes=(<Node element_id='10912' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493670' nodes=(<Node element_id='11341' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493625' nodes=(<Node element_id='11298' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493764' nodes=(<Node element_id='11432' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493958' nodes=(<Node element_id='11618' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492724' nodes=(<Node element_id='10437' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493617' nodes=(<Node element_id='11290' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494049' nodes=(<Node element_id='11704' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492763' nodes=(<Node element_id='10475' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493654' nodes=(<Node element_id='11325' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492462' nodes=(<Node element_id='10185' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492342' nodes=(<Node element_id='10071' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492979' nodes=(<Node element_id='10683' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492540' nodes=(<Node element_id='10259' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492481' nodes=(<Node element_id='10203' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493301' nodes=(<Node element_id='10987' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492605' nodes=(<Node element_id='10323' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494018' nodes=(<Node element_id='11675' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494093' nodes=(<Node element_id='11746' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492349' nodes=(<Node element_id='10078' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484807' nodes=(<Node element_id='2805' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486827' nodes=(<Node element_id='4758' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490723' nodes=(<Node element_id='8511' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491369' nodes=(<Node element_id='9134' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491492' nodes=(<Node element_id='9250' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487707' nodes=(<Node element_id='5609' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492131' nodes=(<Node element_id='9866' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490305' nodes=(<Node element_id='8114' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489409' nodes=(<Node element_id='7252' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491536' nodes=(<Node element_id='9292' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483486' nodes=(<Node element_id='1524' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490081' nodes=(<Node element_id='7898' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484833' nodes=(<Node element_id='2831' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491895' nodes=(<Node element_id='9635' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487760' nodes=(<Node element_id='5658' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484182' nodes=(<Node element_id='2197' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492077' nodes=(<Node element_id='9814' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487072' nodes=(<Node element_id='4993' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491028' nodes=(<Node element_id='8803' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488808' nodes=(<Node element_id='6664' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488623' nodes=(<Node element_id='6489' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483899' nodes=(<Node element_id='1925' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482658' nodes=(<Node element_id='718' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491937' nodes=(<Node element_id='9677' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485856' nodes=(<Node element_id='3819' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489405' nodes=(<Node element_id='7248' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491165' nodes=(<Node element_id='8934' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490160' nodes=(<Node element_id='7974' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484507' nodes=(<Node element_id='2513' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492098' nodes=(<Node element_id='9834' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488172' nodes=(<Node element_id='6061' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489773' nodes=(<Node element_id='7606' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483765' nodes=(<Node element_id='1793' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488923' nodes=(<Node element_id='6776' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484183' nodes=(<Node element_id='2198' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487968' nodes=(<Node element_id='5861' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489116' nodes=(<Node element_id='6966' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483663' nodes=(<Node element_id='1693' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490910' nodes=(<Node element_id='656' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486391' nodes=(<Node element_id='4338' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484444' nodes=(<Node element_id='2452' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488181' nodes=(<Node element_id='6069' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487837' nodes=(<Node element_id='5732' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488768' nodes=(<Node element_id='6627' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491116' nodes=(<Node element_id='8886' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484975' nodes=(<Node element_id='2967' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490388' nodes=(<Node element_id='8195' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487098' nodes=(<Node element_id='5018' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485413' nodes=(<Node element_id='3388' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488654' nodes=(<Node element_id='6519' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483399' nodes=(<Node element_id='1439' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492120' nodes=(<Node element_id='9855' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488993' nodes=(<Node element_id='6845' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484496' nodes=(<Node element_id='2502' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486789' nodes=(<Node element_id='4720' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488030' nodes=(<Node element_id='5923' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484481' nodes=(<Node element_id='2487' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491437' nodes=(<Node element_id='9200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483863' nodes=(<Node element_id='1890' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482617' nodes=(<Node element_id='677' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483024' nodes=(<Node element_id='1078' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492038' nodes=(<Node element_id='9775' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482136' nodes=(<Node element_id='200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488592' nodes=(<Node element_id='6458' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484728' nodes=(<Node element_id='2729' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485468' nodes=(<Node element_id='3443' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491460' nodes=(<Node element_id='9221' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483966' nodes=(<Node element_id='1989' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491880' nodes=(<Node element_id='9622' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484243' nodes=(<Node element_id='1721' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486061' nodes=(<Node element_id='4013' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485714' nodes=(<Node element_id='3681' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489340' nodes=(<Node element_id='7184' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489047' nodes=(<Node element_id='6899' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482791' nodes=(<Node element_id='847' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487710' nodes=(<Node element_id='5612' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490714' nodes=(<Node element_id='8502' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488347' nodes=(<Node element_id='6226' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488150' nodes=(<Node element_id='6040' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487175' nodes=(<Node element_id='5091' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490921' nodes=(<Node element_id='8698' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491774' nodes=(<Node element_id='9519' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487152' nodes=(<Node element_id='5071' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491816' nodes=(<Node element_id='9559' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491854' nodes=(<Node element_id='9597' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489058' nodes=(<Node element_id='6910' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484935' nodes=(<Node element_id='2929' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491225' nodes=(<Node element_id='8993' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485421' nodes=(<Node element_id='3396' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490873' nodes=(<Node element_id='8652' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489517' nodes=(<Node element_id='7358' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491963' nodes=(<Node element_id='9703' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490243' nodes=(<Node element_id='8054' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491408' nodes=(<Node element_id='9171' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488162' nodes=(<Node element_id='6051' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483165' nodes=(<Node element_id='1212' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489592' nodes=(<Node element_id='7431' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484210' nodes=(<Node element_id='2224' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487899' nodes=(<Node element_id='5793' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483050' nodes=(<Node element_id='1103' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484816' nodes=(<Node element_id='2814' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491199' nodes=(<Node element_id='8967' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486891' nodes=(<Node element_id='4819' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492114' nodes=(<Node element_id='9849' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487085' nodes=(<Node element_id='5006' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491362' nodes=(<Node element_id='9127' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491558' nodes=(<Node element_id='9312' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487284' nodes=(<Node element_id='5197' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485596' nodes=(<Node element_id='3566' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488338' nodes=(<Node element_id='6218' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490474' nodes=(<Node element_id='8278' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483885' nodes=(<Node element_id='1911' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492022' nodes=(<Node element_id='9760' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485588' nodes=(<Node element_id='3558' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491709' nodes=(<Node element_id='9456' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490425' nodes=(<Node element_id='8232' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487026' nodes=(<Node element_id='4948' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491812' nodes=(<Node element_id='9555' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491620' nodes=(<Node element_id='9371' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483488' nodes=(<Node element_id='1526' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484915' nodes=(<Node element_id='2909' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488025' nodes=(<Node element_id='5918' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483328' nodes=(<Node element_id='1369' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485612' nodes=(<Node element_id='3582' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486480' nodes=(<Node element_id='4422' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484791' nodes=(<Node element_id='2790' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483273' nodes=(<Node element_id='1315' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491961' nodes=(<Node element_id='9701' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488912' nodes=(<Node element_id='6765' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491792' nodes=(<Node element_id='9536' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487973' nodes=(<Node element_id='5866' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489326' nodes=(<Node element_id='7171' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483875' nodes=(<Node element_id='1901' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489502' nodes=(<Node element_id='7343' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483819' nodes=(<Node element_id='1846' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486860' nodes=(<Node element_id='4789' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487370' nodes=(<Node element_id='5282' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491129' nodes=(<Node element_id='8899' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483983' nodes=(<Node element_id='2005' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491125' nodes=(<Node element_id='8895' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489973' nodes=(<Node element_id='7799' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491780' nodes=(<Node element_id='9525' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489057' nodes=(<Node element_id='6909' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484455' nodes=(<Node element_id='2462' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488840' nodes=(<Node element_id='6696' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489229' nodes=(<Node element_id='7076' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491716' nodes=(<Node element_id='9463' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486971' nodes=(<Node element_id='4896' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488539' nodes=(<Node element_id='6410' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488177' nodes=(<Node element_id='6065' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489366' nodes=(<Node element_id='7210' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483007' nodes=(<Node element_id='1061' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483742' nodes=(<Node element_id='1770' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492089' nodes=(<Node element_id='9826' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485300' nodes=(<Node element_id='3278' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491396' nodes=(<Node element_id='9159' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491286' nodes=(<Node element_id='9054' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485069' nodes=(<Node element_id='3058' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491072' nodes=(<Node element_id='8843' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490660' nodes=(<Node element_id='8451' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491352' nodes=(<Node element_id='9118' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483674' nodes=(<Node element_id='1703' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488950' nodes=(<Node element_id='6803' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486947' nodes=(<Node element_id='4872' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484400' nodes=(<Node element_id='2409' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490937' nodes=(<Node element_id='8713' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487161' nodes=(<Node element_id='4649' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490560' nodes=(<Node element_id='8359' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491475' nodes=(<Node element_id='9233' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489483' nodes=(<Node element_id='7325' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485039' nodes=(<Node element_id='3030' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486364' nodes=(<Node element_id='4311' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489996' nodes=(<Node element_id='7819' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488946' nodes=(<Node element_id='6799' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484356' nodes=(<Node element_id='2366' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486637' nodes=(<Node element_id='4571' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486794' nodes=(<Node element_id='4725' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490473' nodes=(<Node element_id='8277' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488734' nodes=(<Node element_id='6596' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487507' nodes=(<Node element_id='5415' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484107' nodes=(<Node element_id='2127' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488187' nodes=(<Node element_id='6075' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491744' nodes=(<Node element_id='9490' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483836' nodes=(<Node element_id='1863' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490212' nodes=(<Node element_id='8025' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484346' nodes=(<Node element_id='2356' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486451' nodes=(<Node element_id='4398' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488120' nodes=(<Node element_id='6011' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484965' nodes=(<Node element_id='2959' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490772' nodes=(<Node element_id='8559' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484011' nodes=(<Node element_id='2033' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490770' nodes=(<Node element_id='8557' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486826' nodes=(<Node element_id='4757' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487915' nodes=(<Node element_id='5809' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487874' nodes=(<Node element_id='5768' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482341' nodes=(<Node element_id='405' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484383' nodes=(<Node element_id='2392' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491678' nodes=(<Node element_id='9425' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482648' nodes=(<Node element_id='708' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483023' nodes=(<Node element_id='1077' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484738' nodes=(<Node element_id='2739' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487353' nodes=(<Node element_id='5266' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488591' nodes=(<Node element_id='6457' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489098' nodes=(<Node element_id='6948' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490166' nodes=(<Node element_id='7980' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483990' nodes=(<Node element_id='2012' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489971' nodes=(<Node element_id='7797' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488879' nodes=(<Node element_id='6733' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491793' nodes=(<Node element_id='9537' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489740' nodes=(<Node element_id='7575' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486969' nodes=(<Node element_id='4894' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488579' nodes=(<Node element_id='6446' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489014' nodes=(<Node element_id='6866' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484690' nodes=(<Node element_id='2691' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491840' nodes=(<Node element_id='9583' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483407' nodes=(<Node element_id='1447' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486730' nodes=(<Node element_id='4661' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491513' nodes=(<Node element_id='9270' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490947' nodes=(<Node element_id='8723' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488967' nodes=(<Node element_id='6820' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491994' nodes=(<Node element_id='9733' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486923' nodes=(<Node element_id='4850' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487755' nodes=(<Node element_id='5653' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490762' nodes=(<Node element_id='8549' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488900' nodes=(<Node element_id='6754' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483322' nodes=(<Node element_id='1363' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490673' nodes=(<Node element_id='8464' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486365' nodes=(<Node element_id='4312' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489121' nodes=(<Node element_id='6971' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491112' nodes=(<Node element_id='8882' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487535' nodes=(<Node element_id='5443' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483159' nodes=(<Node element_id='1206' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490481' nodes=(<Node element_id='8284' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485528' nodes=(<Node element_id='3500' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484841' nodes=(<Node element_id='2839' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483406' nodes=(<Node element_id='1446' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487850' nodes=(<Node element_id='5744' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488694' nodes=(<Node element_id='6557' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483914' nodes=(<Node element_id='1940' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491306' nodes=(<Node element_id='9074' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492033' nodes=(<Node element_id='9771' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483515' nodes=(<Node element_id='1552' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488310' nodes=(<Node element_id='6191' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490415' nodes=(<Node element_id='8222' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488786' nodes=(<Node element_id='6645' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491289' nodes=(<Node element_id='9057' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490422' nodes=(<Node element_id='8229' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482669' nodes=(<Node element_id='728' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489268' nodes=(<Node element_id='7115' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488846' nodes=(<Node element_id='6702' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485343' nodes=(<Node element_id='3319' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484953' nodes=(<Node element_id='2947' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489950' nodes=(<Node element_id='7779' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487674' nodes=(<Node element_id='5577' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488511' nodes=(<Node element_id='6384' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485218' nodes=(<Node element_id='3200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491632' nodes=(<Node element_id='9383' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485044' nodes=(<Node element_id='3035' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482165' nodes=(<Node element_id='229' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490895' nodes=(<Node element_id='8674' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488910' nodes=(<Node element_id='6763' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488851' nodes=(<Node element_id='6706' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483943' nodes=(<Node element_id='1967' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487600' nodes=(<Node element_id='5507' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486779' nodes=(<Node element_id='4710' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491500' nodes=(<Node element_id='9257' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488754' nodes=(<Node element_id='6615' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485206' nodes=(<Node element_id='3189' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490343' nodes=(<Node element_id='8151' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486616' nodes=(<Node element_id='4550' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491161' nodes=(<Node element_id='8930' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489804' nodes=(<Node element_id='7636' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484123' nodes=(<Node element_id='2142' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487182' nodes=(<Node element_id='5098' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490277' nodes=(<Node element_id='8087' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485755' nodes=(<Node element_id='3719' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489788' nodes=(<Node element_id='7621' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491562' nodes=(<Node element_id='9316' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487060' nodes=(<Node element_id='4982' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485404' nodes=(<Node element_id='3379' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489516' nodes=(<Node element_id='7357' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489316' nodes=(<Node element_id='7162' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487022' nodes=(<Node element_id='1964' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486148' nodes=(<Node element_id='4098' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490870' nodes=(<Node element_id='8649' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486164' nodes=(<Node element_id='4114' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490929' nodes=(<Node element_id='8706' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491919' nodes=(<Node element_id='9659' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487885' nodes=(<Node element_id='5779' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483330' nodes=(<Node element_id='1371' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487009' nodes=(<Node element_id='4933' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486850' nodes=(<Node element_id='4780' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482638' nodes=(<Node element_id='698' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>] rels2=[]>,
 <Record countryName='BE' id1=9659261 id2=0 rels1=[] rels2=[<Relationship element_id='9489096' nodes=(<Node element_id='6946' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492590' nodes=(<Node element_id='10308' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492401' nodes=(<Node element_id='10128' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493497' nodes=(<Node element_id='11175' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493424' nodes=(<Node element_id='11104' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493624' nodes=(<Node element_id='11297' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493567' nodes=(<Node element_id='807' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493344' nodes=(<Node element_id='11028' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492775' nodes=(<Node element_id='10486' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492425' nodes=(<Node element_id='10150' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492351' nodes=(<Node element_id='10080' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493000' nodes=(<Node element_id='10702' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493451' nodes=(<Node element_id='11130' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492914' nodes=(<Node element_id='10619' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494174' nodes=(<Node element_id='11827' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493876' nodes=(<Node element_id='11539' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492629' nodes=(<Node element_id='10346' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492807' nodes=(<Node element_id='10517' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493492' nodes=(<Node element_id='11170' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493485' nodes=(<Node element_id='11164' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493697' nodes=(<Node element_id='11368' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493393' nodes=(<Node element_id='11076' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493547' nodes=(<Node element_id='11223' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494070' nodes=(<Node element_id='11724' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493944' nodes=(<Node element_id='11605' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493392' nodes=(<Node element_id='11075' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493822' nodes=(<Node element_id='11489' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494007' nodes=(<Node element_id='11665' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493441' nodes=(<Node element_id='11121' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493604' nodes=(<Node element_id='11277' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492281' nodes=(<Node element_id='10012' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492199' nodes=(<Node element_id='9932' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492186' nodes=(<Node element_id='9920' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493133' nodes=(<Node element_id='10825' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492353' nodes=(<Node element_id='10082' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492842' nodes=(<Node element_id='10550' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492679' nodes=(<Node element_id='10394' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492781' nodes=(<Node element_id='10492' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492890' nodes=(<Node element_id='10596' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493124' nodes=(<Node element_id='10817' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492459' nodes=(<Node element_id='10182' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492956' nodes=(<Node element_id='10661' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492595' nodes=(<Node element_id='10313' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493643' nodes=(<Node element_id='11314' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492249' nodes=(<Node element_id='9982' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492189' nodes=(<Node element_id='9923' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492285' nodes=(<Node element_id='10015' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492477' nodes=(<Node element_id='10200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493113' nodes=(<Node element_id='10807' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493446' nodes=(<Node element_id='11126' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492915' nodes=(<Node element_id='10620' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493119' nodes=(<Node element_id='10813' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493468' nodes=(<Node element_id='11147' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493268' nodes=(<Node element_id='10954' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492358' nodes=(<Node element_id='10087' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493405' nodes=(<Node element_id='11088' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493297' nodes=(<Node element_id='10983' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494200' nodes=(<Node element_id='11852' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492848' nodes=(<Node element_id='10556' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493622' nodes=(<Node element_id='11295' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494147' nodes=(<Node element_id='11800' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494161' nodes=(<Node element_id='11814' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493871' nodes=(<Node element_id='11535' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493339' nodes=(<Node element_id='11023' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494043' nodes=(<Node element_id='6828' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494183' nodes=(<Node element_id='2009' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493629' nodes=(<Node element_id='11302' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492225' nodes=(<Node element_id='9958' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493726' nodes=(<Node element_id='11396' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493152' nodes=(<Node element_id='10841' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493101' nodes=(<Node element_id='10796' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492361' nodes=(<Node element_id='10090' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493162' nodes=(<Node element_id='10851' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493249' nodes=(<Node element_id='10936' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494037' nodes=(<Node element_id='11693' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493224' nodes=(<Node element_id='10912' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493670' nodes=(<Node element_id='11341' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493625' nodes=(<Node element_id='11298' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493764' nodes=(<Node element_id='11432' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493958' nodes=(<Node element_id='11618' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492724' nodes=(<Node element_id='10437' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493617' nodes=(<Node element_id='11290' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494049' nodes=(<Node element_id='11704' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492763' nodes=(<Node element_id='10475' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493654' nodes=(<Node element_id='11325' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492462' nodes=(<Node element_id='10185' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492342' nodes=(<Node element_id='10071' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492979' nodes=(<Node element_id='10683' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492540' nodes=(<Node element_id='10259' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492481' nodes=(<Node element_id='10203' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9493301' nodes=(<Node element_id='10987' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492605' nodes=(<Node element_id='10323' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494018' nodes=(<Node element_id='11675' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9494093' nodes=(<Node element_id='11746' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492349' nodes=(<Node element_id='10078' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484807' nodes=(<Node element_id='2805' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486827' nodes=(<Node element_id='4758' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490723' nodes=(<Node element_id='8511' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491369' nodes=(<Node element_id='9134' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491492' nodes=(<Node element_id='9250' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487707' nodes=(<Node element_id='5609' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492131' nodes=(<Node element_id='9866' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490305' nodes=(<Node element_id='8114' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489409' nodes=(<Node element_id='7252' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491536' nodes=(<Node element_id='9292' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483486' nodes=(<Node element_id='1524' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490081' nodes=(<Node element_id='7898' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484833' nodes=(<Node element_id='2831' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491895' nodes=(<Node element_id='9635' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487760' nodes=(<Node element_id='5658' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484182' nodes=(<Node element_id='2197' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492077' nodes=(<Node element_id='9814' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487072' nodes=(<Node element_id='4993' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491028' nodes=(<Node element_id='8803' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488808' nodes=(<Node element_id='6664' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488623' nodes=(<Node element_id='6489' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483899' nodes=(<Node element_id='1925' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482658' nodes=(<Node element_id='718' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491937' nodes=(<Node element_id='9677' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485856' nodes=(<Node element_id='3819' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489405' nodes=(<Node element_id='7248' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491165' nodes=(<Node element_id='8934' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490160' nodes=(<Node element_id='7974' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484507' nodes=(<Node element_id='2513' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492098' nodes=(<Node element_id='9834' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488172' nodes=(<Node element_id='6061' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489773' nodes=(<Node element_id='7606' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483765' nodes=(<Node element_id='1793' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488923' nodes=(<Node element_id='6776' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484183' nodes=(<Node element_id='2198' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487968' nodes=(<Node element_id='5861' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489116' nodes=(<Node element_id='6966' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483663' nodes=(<Node element_id='1693' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490910' nodes=(<Node element_id='656' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486391' nodes=(<Node element_id='4338' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484444' nodes=(<Node element_id='2452' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488181' nodes=(<Node element_id='6069' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487837' nodes=(<Node element_id='5732' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488768' nodes=(<Node element_id='6627' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491116' nodes=(<Node element_id='8886' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484975' nodes=(<Node element_id='2967' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490388' nodes=(<Node element_id='8195' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487098' nodes=(<Node element_id='5018' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485413' nodes=(<Node element_id='3388' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488654' nodes=(<Node element_id='6519' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483399' nodes=(<Node element_id='1439' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492120' nodes=(<Node element_id='9855' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488993' nodes=(<Node element_id='6845' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484496' nodes=(<Node element_id='2502' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486789' nodes=(<Node element_id='4720' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488030' nodes=(<Node element_id='5923' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484481' nodes=(<Node element_id='2487' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491437' nodes=(<Node element_id='9200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483863' nodes=(<Node element_id='1890' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482617' nodes=(<Node element_id='677' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483024' nodes=(<Node element_id='1078' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492038' nodes=(<Node element_id='9775' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482136' nodes=(<Node element_id='200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488592' nodes=(<Node element_id='6458' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484728' nodes=(<Node element_id='2729' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485468' nodes=(<Node element_id='3443' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491460' nodes=(<Node element_id='9221' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483966' nodes=(<Node element_id='1989' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491880' nodes=(<Node element_id='9622' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484243' nodes=(<Node element_id='1721' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486061' nodes=(<Node element_id='4013' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485714' nodes=(<Node element_id='3681' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489340' nodes=(<Node element_id='7184' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489047' nodes=(<Node element_id='6899' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482791' nodes=(<Node element_id='847' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487710' nodes=(<Node element_id='5612' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490714' nodes=(<Node element_id='8502' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488347' nodes=(<Node element_id='6226' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488150' nodes=(<Node element_id='6040' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487175' nodes=(<Node element_id='5091' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490921' nodes=(<Node element_id='8698' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491774' nodes=(<Node element_id='9519' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487152' nodes=(<Node element_id='5071' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491816' nodes=(<Node element_id='9559' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491854' nodes=(<Node element_id='9597' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489058' nodes=(<Node element_id='6910' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484935' nodes=(<Node element_id='2929' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491225' nodes=(<Node element_id='8993' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485421' nodes=(<Node element_id='3396' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490873' nodes=(<Node element_id='8652' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489517' nodes=(<Node element_id='7358' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491963' nodes=(<Node element_id='9703' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490243' nodes=(<Node element_id='8054' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491408' nodes=(<Node element_id='9171' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488162' nodes=(<Node element_id='6051' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483165' nodes=(<Node element_id='1212' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489592' nodes=(<Node element_id='7431' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484210' nodes=(<Node element_id='2224' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487899' nodes=(<Node element_id='5793' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483050' nodes=(<Node element_id='1103' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484816' nodes=(<Node element_id='2814' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491199' nodes=(<Node element_id='8967' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486891' nodes=(<Node element_id='4819' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492114' nodes=(<Node element_id='9849' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487085' nodes=(<Node element_id='5006' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491362' nodes=(<Node element_id='9127' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491558' nodes=(<Node element_id='9312' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487284' nodes=(<Node element_id='5197' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485596' nodes=(<Node element_id='3566' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488338' nodes=(<Node element_id='6218' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490474' nodes=(<Node element_id='8278' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483885' nodes=(<Node element_id='1911' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492022' nodes=(<Node element_id='9760' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485588' nodes=(<Node element_id='3558' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491709' nodes=(<Node element_id='9456' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490425' nodes=(<Node element_id='8232' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487026' nodes=(<Node element_id='4948' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491812' nodes=(<Node element_id='9555' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491620' nodes=(<Node element_id='9371' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483488' nodes=(<Node element_id='1526' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484915' nodes=(<Node element_id='2909' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488025' nodes=(<Node element_id='5918' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483328' nodes=(<Node element_id='1369' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485612' nodes=(<Node element_id='3582' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486480' nodes=(<Node element_id='4422' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484791' nodes=(<Node element_id='2790' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483273' nodes=(<Node element_id='1315' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491961' nodes=(<Node element_id='9701' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488912' nodes=(<Node element_id='6765' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491792' nodes=(<Node element_id='9536' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487973' nodes=(<Node element_id='5866' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489326' nodes=(<Node element_id='7171' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483875' nodes=(<Node element_id='1901' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489502' nodes=(<Node element_id='7343' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483819' nodes=(<Node element_id='1846' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486860' nodes=(<Node element_id='4789' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487370' nodes=(<Node element_id='5282' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491129' nodes=(<Node element_id='8899' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483983' nodes=(<Node element_id='2005' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491125' nodes=(<Node element_id='8895' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489973' nodes=(<Node element_id='7799' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491780' nodes=(<Node element_id='9525' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489057' nodes=(<Node element_id='6909' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484455' nodes=(<Node element_id='2462' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488840' nodes=(<Node element_id='6696' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489229' nodes=(<Node element_id='7076' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491716' nodes=(<Node element_id='9463' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486971' nodes=(<Node element_id='4896' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488539' nodes=(<Node element_id='6410' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488177' nodes=(<Node element_id='6065' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489366' nodes=(<Node element_id='7210' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483007' nodes=(<Node element_id='1061' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483742' nodes=(<Node element_id='1770' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492089' nodes=(<Node element_id='9826' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485300' nodes=(<Node element_id='3278' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491396' nodes=(<Node element_id='9159' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491286' nodes=(<Node element_id='9054' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485069' nodes=(<Node element_id='3058' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491072' nodes=(<Node element_id='8843' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490660' nodes=(<Node element_id='8451' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491352' nodes=(<Node element_id='9118' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483674' nodes=(<Node element_id='1703' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488950' nodes=(<Node element_id='6803' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486947' nodes=(<Node element_id='4872' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484400' nodes=(<Node element_id='2409' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490937' nodes=(<Node element_id='8713' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487161' nodes=(<Node element_id='4649' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490560' nodes=(<Node element_id='8359' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491475' nodes=(<Node element_id='9233' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489483' nodes=(<Node element_id='7325' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485039' nodes=(<Node element_id='3030' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486364' nodes=(<Node element_id='4311' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489996' nodes=(<Node element_id='7819' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488946' nodes=(<Node element_id='6799' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484356' nodes=(<Node element_id='2366' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486637' nodes=(<Node element_id='4571' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486794' nodes=(<Node element_id='4725' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490473' nodes=(<Node element_id='8277' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488734' nodes=(<Node element_id='6596' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487507' nodes=(<Node element_id='5415' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484107' nodes=(<Node element_id='2127' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488187' nodes=(<Node element_id='6075' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491744' nodes=(<Node element_id='9490' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483836' nodes=(<Node element_id='1863' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490212' nodes=(<Node element_id='8025' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484346' nodes=(<Node element_id='2356' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486451' nodes=(<Node element_id='4398' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488120' nodes=(<Node element_id='6011' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484965' nodes=(<Node element_id='2959' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490772' nodes=(<Node element_id='8559' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484011' nodes=(<Node element_id='2033' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490770' nodes=(<Node element_id='8557' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486826' nodes=(<Node element_id='4757' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487915' nodes=(<Node element_id='5809' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487874' nodes=(<Node element_id='5768' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482341' nodes=(<Node element_id='405' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484383' nodes=(<Node element_id='2392' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491678' nodes=(<Node element_id='9425' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482648' nodes=(<Node element_id='708' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483023' nodes=(<Node element_id='1077' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484738' nodes=(<Node element_id='2739' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487353' nodes=(<Node element_id='5266' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488591' nodes=(<Node element_id='6457' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489098' nodes=(<Node element_id='6948' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490166' nodes=(<Node element_id='7980' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483990' nodes=(<Node element_id='2012' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489971' nodes=(<Node element_id='7797' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488879' nodes=(<Node element_id='6733' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491793' nodes=(<Node element_id='9537' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489740' nodes=(<Node element_id='7575' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486969' nodes=(<Node element_id='4894' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488579' nodes=(<Node element_id='6446' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489014' nodes=(<Node element_id='6866' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484690' nodes=(<Node element_id='2691' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491840' nodes=(<Node element_id='9583' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483407' nodes=(<Node element_id='1447' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486730' nodes=(<Node element_id='4661' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491513' nodes=(<Node element_id='9270' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490947' nodes=(<Node element_id='8723' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488967' nodes=(<Node element_id='6820' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491994' nodes=(<Node element_id='9733' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486923' nodes=(<Node element_id='4850' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487755' nodes=(<Node element_id='5653' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490762' nodes=(<Node element_id='8549' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488900' nodes=(<Node element_id='6754' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483322' nodes=(<Node element_id='1363' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490673' nodes=(<Node element_id='8464' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486365' nodes=(<Node element_id='4312' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489121' nodes=(<Node element_id='6971' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491112' nodes=(<Node element_id='8882' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487535' nodes=(<Node element_id='5443' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483159' nodes=(<Node element_id='1206' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490481' nodes=(<Node element_id='8284' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485528' nodes=(<Node element_id='3500' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484841' nodes=(<Node element_id='2839' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483406' nodes=(<Node element_id='1446' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487850' nodes=(<Node element_id='5744' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488694' nodes=(<Node element_id='6557' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483914' nodes=(<Node element_id='1940' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491306' nodes=(<Node element_id='9074' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9492033' nodes=(<Node element_id='9771' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483515' nodes=(<Node element_id='1552' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488310' nodes=(<Node element_id='6191' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490415' nodes=(<Node element_id='8222' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488786' nodes=(<Node element_id='6645' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491289' nodes=(<Node element_id='9057' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490422' nodes=(<Node element_id='8229' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482669' nodes=(<Node element_id='728' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489268' nodes=(<Node element_id='7115' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488846' nodes=(<Node element_id='6702' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485343' nodes=(<Node element_id='3319' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484953' nodes=(<Node element_id='2947' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489950' nodes=(<Node element_id='7779' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487674' nodes=(<Node element_id='5577' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488511' nodes=(<Node element_id='6384' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485218' nodes=(<Node element_id='3200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491632' nodes=(<Node element_id='9383' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485044' nodes=(<Node element_id='3035' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482165' nodes=(<Node element_id='229' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490895' nodes=(<Node element_id='8674' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488910' nodes=(<Node element_id='6763' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488851' nodes=(<Node element_id='6706' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483943' nodes=(<Node element_id='1967' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487600' nodes=(<Node element_id='5507' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486779' nodes=(<Node element_id='4710' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491500' nodes=(<Node element_id='9257' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9488754' nodes=(<Node element_id='6615' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485206' nodes=(<Node element_id='3189' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490343' nodes=(<Node element_id='8151' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486616' nodes=(<Node element_id='4550' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491161' nodes=(<Node element_id='8930' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489804' nodes=(<Node element_id='7636' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9484123' nodes=(<Node element_id='2142' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487182' nodes=(<Node element_id='5098' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490277' nodes=(<Node element_id='8087' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485755' nodes=(<Node element_id='3719' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489788' nodes=(<Node element_id='7621' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491562' nodes=(<Node element_id='9316' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487060' nodes=(<Node element_id='4982' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9485404' nodes=(<Node element_id='3379' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489516' nodes=(<Node element_id='7357' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9489316' nodes=(<Node element_id='7162' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487022' nodes=(<Node element_id='1964' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486148' nodes=(<Node element_id='4098' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490870' nodes=(<Node element_id='8649' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486164' nodes=(<Node element_id='4114' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9490929' nodes=(<Node element_id='8706' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9491919' nodes=(<Node element_id='9659' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487885' nodes=(<Node element_id='5779' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9483330' nodes=(<Node element_id='1371' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9487009' nodes=(<Node element_id='4933' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9486850' nodes=(<Node element_id='4780' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9482638' nodes=(<Node element_id='698' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>]>]
[<Record totalCases=400>]
In [15]:
# 2.2. Find duplicate nodes if any (CITIES)
query = """
    // Find duplicate CITIES nodes
    MATCH (c:CITIES)
    WITH c.name AS cityName, count(c) AS count
    WHERE count > 1
    RETURN cityName, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate CITIES nodes
    MATCH (c:CITIES)
    WITH c.name AS cityName, count(c) AS count
    WHERE count > 1
    RETURN count(cityName) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[<Record cityName='Erpe-Mere' count=2>,
 <Record cityName='Thousand Palms' count=2>,
 <Record cityName='Plant City' count=2>,
 <Record cityName='Oklahoma City' count=2>,
 <Record cityName='Brighton' count=2>,
 <Record cityName='Seattle' count=2>,
 <Record cityName='Mona Vale' count=2>,
 <Record cityName='Riccione (RN)' count=2>,
 <Record cityName='Belfast' count=2>,
 <Record cityName='Destin' count=2>]
[<Record totalDuplicates=11665>]

In total we have $11; 665$ duplicate CITIES ($\frac{11\;665}{23\;330} = 50\%$)

In [16]:
# Verify if the duplicate nodes have same relationships
query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (c:CITIES)
    WITH c.name AS cityName, count(c) AS count, collect(c) AS nodes
    WHERE count > 1
    WITH cityName, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH cityName, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH cityName, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    RETURN cityName, id(node1) AS id1, id(node2) AS id2, rels1, rels2
    LIMIT 2
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (c:CITIES)
    WITH c.name AS cityName, count(c) AS count, collect(c) AS nodes
    WHERE count > 1
    WITH cityName, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH cityName, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH cityName, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    // Count how many cases
    RETURN count(cityName) AS totalCases
"""
result = execute_read(driver, query)
pprint(result)
[<Record cityName='Erpe-Mere' id1=200 id2=9659461 rels1=[<Relationship element_id='9482136' nodes=(<Node element_id='200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9458134' nodes=(<Node element_id='38210' labels=frozenset() properties={}>, <Node element_id='200' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9431789' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='200' labels=frozenset() properties={}>) type='IN' properties={}>] rels2=[]>,
 <Record cityName='Erpe-Mere' id1=9659461 id2=200 rels1=[] rels2=[<Relationship element_id='9482136' nodes=(<Node element_id='200' labels=frozenset() properties={}>, <Node element_id='0' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9458134' nodes=(<Node element_id='38210' labels=frozenset() properties={}>, <Node element_id='200' labels=frozenset() properties={}>) type='IN' properties={}>, <Relationship element_id='9431789' nodes=(<Node element_id='11865' labels=frozenset() properties={}>, <Node element_id='200' labels=frozenset() properties={}>) type='IN' properties={}>]>]
[<Record totalCases=23330>]
In [17]:
# 2.2. Find duplicate nodes if any (STYLES)
query = """
    // Find duplicate STYLES nodes
    MATCH (s:STYLES)
    WITH s.name AS styleName, count(s) AS count
    WHERE count > 1
    RETURN styleName, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate STYLES nodes
    MATCH (s:STYLES)
    WITH s.name AS styleName, count(s) AS count
    WHERE count > 1
    RETURN count(styleName) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[]
[<Record totalDuplicates=0>]

In total we have $0$ duplicate STYLE

In [18]:
# 2.2. Find duplicate nodes if any (USER)
query = """
    // Find duplicate USER nodes
    MATCH (u:USER)
    WITH u.name AS userName, count(u) AS count
    WHERE count > 1
    RETURN userName, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate USER nodes
    MATCH (u:USER)
    WITH u.name AS userName, count(u) AS count
    WHERE count > 1
    RETURN count(userName) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[]
[<Record totalDuplicates=0>]

In total we have $0$ duplicate USER

In [19]:
# 2.2. Find duplicate nodes if any (REVIEWS)
query = """
    // Find duplicate REVIEWS nodes
    MATCH (r:REVIEWS)
    WITH r.id AS reviewId, count(r) AS count
    WHERE count > 1
    RETURN reviewId, count
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Find the total number of duplicate REVIEWS nodes
    MATCH (r:REVIEWS)
    WITH r.id AS reviewId, count(r) AS count
    WHERE count > 1
    RETURN count(reviewId) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
[<Record reviewId='6' count=2>,
 <Record reviewId='12' count=2>,
 <Record reviewId='28' count=2>,
 <Record reviewId='32' count=2>,
 <Record reviewId='45' count=2>,
 <Record reviewId='60' count=2>,
 <Record reviewId='86' count=2>,
 <Record reviewId='90' count=2>,
 <Record reviewId='92' count=2>,
 <Record reviewId='107' count=2>]
[<Record totalDuplicates=3111>]

In total we have $3\; 111$ duplicate REVIEWS ($\frac{3\;111}{2\;549\;252} \approx 0.1\%$)

In [20]:
# Verify if the duplicate nodes have same relationships (REVIEWS)
query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (r:REVIEWS)
    WITH r.id AS reviewId, count(r) AS count, collect(r) AS nodes
    WHERE count > 1
    WITH reviewId, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH reviewId, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH reviewId, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    RETURN reviewId, id(node1) AS id1, id(node2) AS id2, rels1, rels2
    LIMIT 2
"""
result = execute_read(driver, query)
pprint(result)

query = """
    // Verify if the duplicate nodes have the same relationships
    MATCH (r:REVIEWS)
    WITH r.id AS reviewId, count(r) AS count, collect(r) AS nodes
    WHERE count > 1
    WITH reviewId, nodes
    UNWIND nodes AS node1
    UNWIND nodes AS node2
    WITH reviewId, node1, node2
    WHERE id(node1) <> id(node2)
    // Collect relationships for each node
    OPTIONAL MATCH (node1)-[r1]-()
    OPTIONAL MATCH (node2)-[r2]-()
    WITH reviewId, node1, node2, collect(r1) AS rels1, collect(r2) AS rels2
    // Compare relationships
    WHERE rels1 <> rels2
    // Count how many cases
    RETURN count(reviewId) AS totalCases
"""
result = execute_read(driver, query)
pprint(result)
[<Record reviewId='6' id1=421091 id2=10080352 rels1=[<Relationship element_id='9853094' nodes=(<Node element_id='421091' labels=frozenset() properties={}>, <Node element_id='9494332' labels=frozenset() properties={}>) type='POSTED' properties={}>, <Relationship element_id='14' nodes=(<Node element_id='384103' labels=frozenset() properties={}>, <Node element_id='421091' labels=frozenset() properties={}>) type='REVIEWED' properties={}>] rels2=[]>,
 <Record reviewId='6' id1=10080352 id2=421091 rels1=[] rels2=[<Relationship element_id='9853094' nodes=(<Node element_id='421091' labels=frozenset() properties={}>, <Node element_id='9494332' labels=frozenset() properties={}>) type='POSTED' properties={}>, <Relationship element_id='14' nodes=(<Node element_id='384103' labels=frozenset() properties={}>, <Node element_id='421091' labels=frozenset() properties={}>) type='REVIEWED' properties={}>]>]
[<Record totalCases=6222>]

Summary Table of Duplicate Nodes¶

Nodes Total Duplicates Percentage
BEERS 417,746 58,873 14.1%
BREWERIES 100,694 50,347 50.0%
COUNTRIES 400 200 50.0%
CITIES 23,330 11,665 50.0%
STYLE 113 0 0.0%
USER 123,935 0 0.0%
REVIEWS 2,549,252 3,111 0.1%

2.2.1. 🗑️ Remove Duplicate Nodes¶

In [ ]:
# # 2.2.1. Remove duplicate nodes (BEERS)
In [ ]:
# Verify the changes
query = """
    MATCH (b:BEERS)
    WITH b.id AS beerId, count(b) AS count
    WHERE count > 1
    RETURN count(beerId) AS totalDuplicates
"""
result = execute_read(driver, query)
pprint(result)
In [16]:
# 2.2. Remove duplicate relationships if any
# query = """
    
# """
# result = execute_read(driver, query)
# pprint(result)

2.3 Detect and Remove Errors¶

In [26]:
# 2.3.1. Nodes without labels
query = """
    MATCH (n)
    WHERE NOT labels(n)
    RETURN n
    LIMIT 10
"""
result = execute_read(driver, query)
pprint(result)

# Count the number of nodes without labels
query = """
    MATCH (n)
    WHERE NOT labels(n)
    RETURN count(n) as count
"""
result = execute_read(driver, query)
pprint(result)
Received notification from DBMS server: {severity: WARNING} {code: Neo.ClientNotification.Statement.FeatureDeprecationWarning} {category: } {title: This feature is deprecated and will be removed in future versions.} {description: Coercion of list to boolean is deprecated. Please consider using `NOT isEmpty(...)` instead.} {position: line: 3, column: 19, offset: 29} for query: '\n    MATCH (n)\n    WHERE NOT labels(n)\n    RETURN n\n    LIMIT 10\n'
[]
Received notification from DBMS server: {severity: WARNING} {code: Neo.ClientNotification.Statement.FeatureDeprecationWarning} {category: } {title: This feature is deprecated and will be removed in future versions.} {description: Coercion of list to boolean is deprecated. Please consider using `NOT isEmpty(...)` instead.} {position: line: 3, column: 19, offset: 29} for query: '\n    MATCH (n)\n    WHERE NOT labels(n)\n    RETURN count(n) as count\n'
[<Record count=0>]
In [23]:
# Verify the unique labels names in the database
query = """
    CALL db.labels()
"""
result = execute_read(driver, query)
print("Unique labels in the database:")
pprint(result)
Unique labels in the database:
[<Record label='COUNTRIES'>,
 <Record label='CITIES'>,
 <Record label='BREWERIES'>,
 <Record label='BEERS'>,
 <Record label='REVIEWS'>,
 <Record label='STYLE'>,
 <Record label='USER'>]
In [ ]:
 
In [17]:
# 2.3. ..........
In [18]:
# 2.4. Visualize the final schema (simplified output of node and relationship types)
query = """
 CALL db.schema.visualization()
"""
result = execute_read(driver, query)
print("Final database schema visualized (node labels and relationships):\n")
print("Nodes:", [record["nodes"] for record in result][0])
print("Relationships:", [record["relationships"] for record in result][0])
Final database schema visualized (node labels and relationships):

Nodes: [<Node element_id='-19' labels=frozenset({'REVIEWS'}) properties={'name': 'REVIEWS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-18' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-15' labels=frozenset({'COUNTRIES'}) properties={'name': 'COUNTRIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-17' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-20' labels=frozenset({'STYLE'}) properties={'name': 'STYLE', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-16' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-21' labels=frozenset({'USER'}) properties={'name': 'USER', 'indexes': ['name'], 'constraints': []}>]
Relationships: [<Relationship element_id='-17' nodes=(<Node element_id='-18' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-19' labels=frozenset({'REVIEWS'}) properties={'name': 'REVIEWS', 'indexes': ['id'], 'constraints': []}>) type='REVIEWED' properties={}>, <Relationship element_id='-18' nodes=(<Node element_id='-17' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-18' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>) type='BREWED' properties={}>, <Relationship element_id='-22' nodes=(<Node element_id='-17' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-16' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-19' nodes=(<Node element_id='-16' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-15' labels=frozenset({'COUNTRIES'}) properties={'name': 'COUNTRIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-21' nodes=(<Node element_id='-17' labels=frozenset({'BREWERIES'}) properties={'name': 'BREWERIES', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-15' labels=frozenset({'COUNTRIES'}) properties={'name': 'COUNTRIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-20' nodes=(<Node element_id='-16' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>, <Node element_id='-16' labels=frozenset({'CITIES'}) properties={'name': 'CITIES', 'indexes': ['name'], 'constraints': []}>) type='IN' properties={}>, <Relationship element_id='-23' nodes=(<Node element_id='-18' labels=frozenset({'BEERS'}) properties={'name': 'BEERS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-20' labels=frozenset({'STYLE'}) properties={'name': 'STYLE', 'indexes': ['name'], 'constraints': []}>) type='HAS_STYLE' properties={}>, <Relationship element_id='-24' nodes=(<Node element_id='-19' labels=frozenset({'REVIEWS'}) properties={'name': 'REVIEWS', 'indexes': ['id'], 'constraints': []}>, <Node element_id='-21' labels=frozenset({'USER'}) properties={'name': 'USER', 'indexes': ['name'], 'constraints': []}>) type='POSTED' properties={}>]

3. Analytics department¶

In [19]:
# 3. Analytics department requires the following information for the biweekly reporting: [5 points]
#    3.1. How many reviews has the beer with the most reviews?
query = """
    MATCH (b:BEERS)-[:REVIEWED]->(r:REVIEWS)
    RETURN b.name AS BeerName, count(r) AS NumberOfReviews
    ORDER BY NumberOfReviews DESC
    LIMIT 1
"""
result = execute_read(driver, query)

# Print the result
print("The beer with the most reviews is:", result[0]["BeerName"], "with", result[0]["NumberOfReviews"], "reviews.")
The beer with the most reviews is: IPA with 8771 reviews.

In [20]:
# 3.2. Which three users wrote the most reviews about beers?
#           REVIEWS - POSTED -> USER
#           BEERS - REVIEWED -> REVIEWS

query = """
    MATCH (r:BEERS)-[:REVIEWED]->(b:REVIEWS)-[:POSTED]->(u:USER)
    RETURN u.name AS UserName, count(b) AS NumberOfReviews
    ORDER BY NumberOfReviews DESC
    LIMIT 3
"""
result = execute_read(driver, query)
# Print the result
print("The three users who wrote the most reviews are:", 
        "\n - \033[1m1st\033[0m", result[0]["UserName"], "with", result[0]["NumberOfReviews"], "reviews.",
        "\n - \033[1m2nd\033[0m", result[1]["UserName"], "with", result[1]["NumberOfReviews"], "reviews.",
        "\n - \033[1m3rd\033[0m", result[2]["UserName"], "with", result[2]["NumberOfReviews"], "reviews.")
The three users who wrote the most reviews are: 
 - 1st Sammy with 3756 reviews. 
 - 2nd acurtis with 3403 reviews. 
 - 3rd kylehay2004 with 3368 reviews.
In [21]:
#    3.3. Find all beers that are described with following words: 'fruit', 'complex', 'nutty', 'dark'.
query = """
    MATCH (b:BEERS)
    WHERE toLower(b.notes) CONTAINS 'fruit' OR toLower(b.notes) CONTAINS 'complex' OR toLower(b.notes) CONTAINS 'nutty' OR toLower(b.notes) CONTAINS 'dark'
    RETURN b.name AS BeerName, b.notes AS Description
"""
result = execute_read(driver, query)

print("Beers described with 'fruit', 'complex', 'nutty', and 'dark':")
for beer in result:
    print("-", beer["BeerName"], ":", beer["Description"])
    
print("\n", len(result), "beers found.")
Beers described with 'fruit', 'complex', 'nutty', and 'dark':
- Hefeweizen : A pale, spicy, fruity, refreshing Hefeweizen originating in Southern Germany. The fast-maturing beer is lightly hopped with hallertau and shows a unique banana-and-clove yeast character. This is a specialty for summer consumption but enjoyed year-round by all. Prost!
- Wheat Ale : A hefe-weizen with exotic top notes to the aromas. Predominantly banana with floral edges. On the palate the fruit notes continue with some caramel coming through on the rich elegant finish. Retains a good mousse throughout.
- Philadelphia Porter : Originally enjoyed by the working class of England, porters inevitably became a staple in American brew pubs. Our interpretation is brewed with Caramel malt for a rich, toffee-like sweetness and a touch of East Kent Goldings hops. However, it’s the robust flavor of the black and chocolate malt that take center stage in this dark, full-bodied ale.
- Black Cherry Sherry Stout : Medium bodied black beer with a fruity/cherry nose and hints of roasted malt and dark caramel that finishes with a subtle tartness. The beer undergoes a secondary fermentation in sherry barrels and with the addition of tart cherries.
- Cherry Lime Gose : Our tart and salty Gose with cherries and limes. A tasteful balance between the fruits comes forward in both the aroma and flavor.
- East River IPA : The East Coast IPA style focuses on balanced flavor and bitterness. Miner Brewing Company's version boasts juicy grapefruit and mango notes with refreshing, balanced bitterness in the finish.
- Eureka W/ Citra : Our Jam! Eureka w/Citra explodes with citrus fruit on the nose and the palate , and finishes cleanly with light bits of cracker malt. Someone forgot to tell it that it's only 4.1% alcohol. A beautiful and pungent, yet delicate and highly drinkable beer!
- Estrella Galicia 1906 Black Coupage : The term "coupage" is used in the wine world to refer to the blending of wines to make a finished product. Hijos de Rivera uses the term here to refer to the mixture of four traditionally floor-malted Czech barley malts which they use to brew this excellent lager. Pouring very dark brown – approaching black – with reddish flashes, 1906 Black Coupage offers up a wonderful aroma. Look for richly bready notes with toast, touches of licorice, raisin and dried figs, hints of coffee grounds and cocoa powder, and an overlay of lightly fruity and floral hop character. This brew isn't shy on the palate either; there's quite a roasty character, with notes of deeply toasted bread, roasted coffee, and hints of dark chocolate and nuts. Those dried fruit notes emerge in the flavor too, augmented by Sladek hops which often contribute a fruity note akin to peach along with a spiciness similar to Saaz hops.
- Dochter Seizoen : This beer is a light and hoppy saison aged in wine barrels with our ever evolving house microflora. Notes of ripe fruity funk, subtle oak and that ineffable saison joie de vivre.
- Dry Stout : Roasted coffee notes and slight malt bitterness from Black Barley, define this opaque dark Irish style ale. Pair this brew with smoked foods, roasts and desserts.
- St. Bretta Citrus Wildbier Gold Nugget Mandarin : Citrus zest from Gold Nugget Mandarin citrus as well as lemongrass. St. Bretta Gold Nugget is the first batch of our Brettanomyces Citrus Wildbier that is not named after a season. By moving away from seasonality, we are able to put the focus on the fruit itself and allow for greater experimentation.
- Neustadt Texas Tea Honey Stout : The use of all dark specialty malts makes this a very smooth drink. Enhanced with pure local honey to give a nice, sweeter mouth feel than a normal stout. “Absolutely no tea in the ingredients.”
- Muscle Memory : A generous helping of oats make this Third Wave Pale Ale dangerously drinkable. Bursting with grapefruit, orange marmalade, passion fruit, and peach.
- Sorcerer : Dark ruby brown Belgian style strong ale with complex flavors reminiscent of dried fruits. The sweet hints of raisin, fig and plum are accentuated with rock candy sugar then warmed away by the strength of the dry alcoholic finish.
- Blackberry Raspy : Double the fruit of the original Lil' Raspy formulation, now with equal parts raspberries and blackberries.
- Belfast Ale : A dark amber ale with a wonderful rich malt flavour and earthy aroma, brewed with three different hop varieties creating a distinctive bitterness and smooth finish.
- Beelzebub : Beelzebub is an American Imperial Stout. The intensely smooth and rich roasted flavor is complemented by the unmistakable presence of hops. The bitterness is held in check, preserving the flavors of dark chocolate. This ale is aggressively dry hopped with Citra to cut through it all. Hail Santa.
- Treble Hook Tripel : Nothing beats living on Flathead Lake besides fishing on Flathead Lake! So we had to name our Tripel in honor of the mighty three hook treble fishhook used by fishermen here in Montana. Our version pairs distinct Belgian yeast and mild sweetness. The aroma and flavor run complex: tart citrus, yeast, malty, apple, pear, white grape, alcohol warming, with a dry and spicy finish. Malt: pilsner, wheat, honey, and Turbinado sugar. Hops: Golding.
- Schwarz IPA : All of your delicious malty flavors with the hops that you want in an IPA. Sit back and enjoy the delicious malts with the fruity aroma and bitterness of hops. If you’re looking for an IPA on our menu, try this twist on the popular beer.
- Le Peche Mode : Classic saison brewed with natural Georgia peach juice from Lane Orchards. The peaches add a subtle fruit complexity and tartness to this traditional farmhouse ale. Unfiltered and bottle conditioned, this beer delivers a refreshing malt character and a long, dry finish.
- Highland IPA : A statement from Appalachia. American Chinook, Citra, and Centennial hops from the Pacific Northwest shine in our first West Coast style IPA. A sturdy malt bill frames hints of tropical fruit, lemon rind, grapefruit and dank hops notes. Brilliant and golden in color. expect a dry, resiny, citrusy finish.
- King Leopold Belgian Stout (Healthy Spirits Barrel Aged) : The newest in this series of exclusive bottlings has just been released! Healthy Spirits and San Francisco’s Triple Voodoo Brewing announce KING LEOPOLD Barrel-Aged Belgian Stout. Black as a rickhouse floor at midnight, this stout features American and European dark malts with a portion of rolled oats to supply the roasty, nutty, and full-bodied granular structure without heaviness on the palate. Belgian yeast ate all the sugars supplied by these grains, leaving behind a dry, clean finish. Oak barrel aging provided extra fermentation and a fleeting hint of woody spice. Limited to a mere ten cases produced, this represents one of the smallest runs of our exclusive ale series offered to our beer-loving patrons.
- Carton / Barrier - Smash The Golds : Carton and Barrier brewed this bright, clean liquid gold to take this brutal summer across the finish line and kick off the glorious start of locals' summer. One golden malt, one golden hop, and the lager yeast of the Golden State fermented fast and warm to give pineapple aromatics to the star fruit, papaya, peach and citrus of heaps of 007: The Golden Hop throughout the brew. 
- Granola Brown Ale : Before a big pig roast we love to go on a long hike to get the blood flowin’ and our stomachs ready for a serious feast. to keep us going we pack a few bags of crunchy granola. then it came to us! granola brown allows us to have the best of both worlds- a refreshing brew with all the wonders of our delicious granola! take this beer on your next hike or hike one up to your lips for a satisfying energy packed libation. don’t want to pair your beer with a hike? try our granola brown with a nutty alpine cheese like springbrook tarentaise, comte or gruyere.
- Other Half/Burial - Diamond Mausoleum : Cascadian Dark Ale
- Railbender Ale : Erie Brewing Company flagship beer features a deep malt flavor, caramel sweetness lingering in a soft hop flavor. Dark Amber.
- Spring Pale Ale : Throwback original California-style pale ale. Brewed with Magnum and loads of Cascade hops for a piney and grapefruity finish. Perfect accompaniment for grilled steaks and roasted vegetables.
- Tony Goes Dancing : American Double IPA. Hazy and soft with notes of grapefruit and melon, this beer is brewed with six types of American and New Zealand hops.
- Lectio Divina : Lectio Divina is a cross between an abbey double and a saison. Open fermentation with a saison strain and a dose of wild yeast at bottling add to the complexity.
- Mokra : Brettanomyces is a wild yeast strain that can give beer interesting, delicious fruit flavors, but sometimes Brett can be a fickle fellow. The Brett we threw into this brew was defiant. However, sometimes when you let Brett sit for a while, it will come around. We decided to let it sit in Bourbon barrels. This experiment took a year and a half, but came together and developed into a delightful brew. 
- Scratch Beer 182 - 2015 (Scottish-Style Ale) : This hearty brew takes its inspiration from strong, malty ales brewed across the pond in Scotland. In the early 19th century, Scotch whiskey drinkers were well aware of the high quality of malt produced in Scotland, and the burgeoning whiskey market presented an abundance of barley. In turn, brewers decided to craft ales with very high malt bills, thus yielding the strong, malty, and sweet flavors that have become hallmarks of the Scottish Ale style. By the mid-19th century, Edinburgh was acknowledged as one of the foremost brewing cities in the world, a fact that any proud Scotsman would be honored to flaunt. The flavor of this rich, full-bodied ale stems from the malt profile, which exhibits complex notes of roasted and caramelized barley, dried dark fruit, chocolate, toasted nuts, and a faint hint of smoke.
- Nice Shirt! : Caramel and dark dehusked malts with coffee shop Roast® maui yellow caturra beans roasted by the brewmaster.
- Park Hoppy : A uniquely aromatic and refreshing beer, Park blends pilsner malt and pale wheat with Citra hops to create a modern interpretation on the witbier style. Bière de garde yeast elevate Park’s tart, grapefruit flavors, yielding a fresh yet dry finish to this single hopped design. Park’s pale sunshine color and clean flavor make this the perfect beer to enjoy on a picnic blanket or around the campfire.
- Petit Obscura : Ale aged with Brettanomyces and Lactobacillus. Telegraph Petit Obscura is a "small beer" brewed from the sour-mash second runnings of a batch of our Rhinoceros Rye Wine. Historically, a small beer was brewed as a way of utilizing the remaining sugars that are otherwise lost when making a big high-gravity beer. With a crisp, fruity, white-wine-like character, our little obscure one is a light-bodied "wild ale" with a subtle complexity that transcends its humble origins.
- Black Metal Wild Imperial Stout : First batch of Black Metal fermented with our house mixed culture. Naturally, because of its unique fermentation with native microorganisms, the beer is different than previous versions. We’re quite happy with how it turned out, and we’re excited to release it. However, for fans of the original Black Metal, or “O.G. Black Metal” as its known, we feel as though we need to borrow the famous line from Stone Brewing Co.‘s Arrogant Bastard Ale: “You probably won’t like it.” Like all our beer, the flavors and aromas of the current batch of Black Metal are very much fermentation derived and rely far less on copious amounts of malt and hops. This is what we like to drink. We like dry, balanced, drinkable, tart beers with some interesting yeast complexity. We feel we’ve achieved this with Black Metal, and hope others enjoy it as well. There will be those that don’t, however, and wish we’d return to the days of fermenting this beer with English ale yeast, and that’s OK.
- Prototype 9.29.15 : Prototype 9.29.15 is a Hoppy Amber Ale with aromas of fruit and berry combined with undercurrents of spice and pine. A balanced base of pale, toasted, and crystal malts provide fruit and caramel notes to the base which supports the aroma. The rich, amber hue reflects the depth of flavor in the glass, finishing dry and balanced on the tongue. A perfect pint to welcome the arrival of fall.
- Little Wagon Dagger : A dark, malt-focused session ale with a wide range of dark malt and sugar expression.
- Iron Spike Copper : With a rusty orange shade, Iron Spike Copper pours a thick and frothy cream coloured head. To the nose, caramel malts meet toasted spices with additional notes of chestnut and plum. Tastes of sweet caramel and butterscotch hit the palate first, followed by biscuit graininess, fruit, vanilla, rye, and spices. A nice hop bite comes forward mid-palate and lasts on the tongue. This medium to full-bodied ale is creamy and sweet with a lingering hoppy aftertaste.
- Corrosion : Opening with massive aromas of fresh citrus and tropical fruits, Corrosion hits with a firm hop presence accentuated by an upfront acidity. Kettle-soured before finishing as an IPA, Corrosion is uniquely balanced between the world of sours and the world of hops.
- Thompson's Dry Stout : Sexy, black, opaque with tan silky head. Faint aroma of chocolate coffee, and dark malt. Not overly complicated, taste of iced coffee and toasted nuts on the back of the tongue. Drinkability is killer because the nitrogenation creates such a rich and creamy texture and straight forward taste.
- Pink Diamond : Cherry blossom color, lychee and rose petals aromatics, grapefruit citrus flavor, light body.
- Great White Buffalo : Great White Buffalo is a wheat wine with vanilla and coffee. This beer has notes of white chocolate, dark fruits, honey, and a hint of coffee. Richard took great pride in creating this recipe, and it is now known as his favorite Aslin beer.
- The Passion Of Johann : Formerly Mind The Hop With Passionfruit And Vanilla
- Pist. Avocado Milk Stout : Milk stout with real avocados for a creamy mouth-feel with a nutty finish from house-made pistachio butter.
- Hop Cooler : Bright and tropical, this India Pale Ale brilliantly layers a citrusy blend of orange and tangerine with a robust hop profile. Crafted with real citrus and packed with as much flavor as a hop cooler, you won’t be able to stop at just one sip of this fresh and fruity beer.
- Belgian Tripel : A golden, complex, strong Belgian ale with a full body. It finishes dry with some sweetness and a hint of cider.
- Island Reserve: Gose Beer : The Gose is an uncommon style in modern times: an unfiltered wheat ale, brewed with a bit of salt. While salt seems like an unlikely ingredient, the result is a dry, spicy, lightly fruity, and flavorful beer.
- Barrel Aged Mastodon : Belgian dark strong successively aged in a wine barrel followed by a whiskey barrel.
- Kleen : Introduced in December 2008. Malts: Pale, Dark Caramel and some Black. Hops: East Kent Goldings. Dry hopped.
- 10th Anniversary Thunder Hop IPA : We are ready to unveil our anniversary beer. It is called Thunder Hop IPA. Many people are familiar with the pale ale variety called India Pale Ale a.k.a. IPA. This style was originally brewed by the 19th century British brewers for export to their troops stationed in India. Since it had to survive the 6 month trip in the hold of a ship, it contained more alcohol and a lot more hops than a typical Pale Ale. Hops and alcohol helped to prevent spoilage that might have ruined a batch of this precious brew. The Thunder Hop IPA is an American IPA which is an emerging style created by hop loving brewers. It has intense bitterness, flavor and aroma. We chose to use three varieties of American hops in the brewing process. The color is copper to amber, just a bit darker than the Pipe Organ Pale Ale. The aroma is noticeably hoppy due to the use of Sterlings in the dry hop process . You will also pick up a complexity from fruit-like esters. The body is big and malty with some caramel sweetness. You won’t have to wait long for the finish, it comes Thundering in with intense bitterness. 
- Voo Doo : Voo Doo is a full bodied, dark brew that is rich and malty with plenty of roasted barley character. This hearty stout is layered with flavors of roasted barley, chocolate, and coffee coming from the highest quality imported malts. Its creamy long lasting head completes the brew, tempting your taste buds to be spellbound.
- Cave City Lager : A German Dunkel inspired American Amber Lager with a signature hop aroma. This lager combines mostly Munich malt with the addition of gently balanced caramelized malts giving it a rich copper color as well as a bit more malt backbone and overall character than the typical amber lager. The complex combination of noble hops enables our lager to be paired with a wide variety of food items, and its clean lager finish creates a beer that will really hit the spot on those hot summer afternoons.
- Le Con : Fermented and aged in oak barrels with our house culture of saison yeast, brettanomyces and lactic acid producing bacteria. A unique blend of barrel aged beers with organic Blenheim apricots from See Canyon Fruit Ranch. Bottle conditioned with orange blossom honey.
- Conductor's Craft Ale : Conductor’s Craft Ale fits broadly into the pale ale category, though we think of it more as a hybrid of traditional British, German, and American brewing techniques used to arrive at a hop complexity that constantly changes in the glass as it warms up and a drinker drinks more. With Conductor’s we wanted to tip our hats to ‘pioneer’ craft beers like Sierra Nevada Pale Ale and Anchor Liberty Ale, but at the same time the beer had to be balanced and drinkable to allow a drinker to enjoy more than one.
- Framboozin’ Raspberry Wheatwine : This complex beer is a nontraditional blend of classic styles. A huge beer at over 11% ABV, this wheat beer is brewed with Belgian spices and candied sugar, then fermented with German Hefeweizen yeast. Finally, an addition of almost a pound of berries to every gallon of beer makes this ale a truly unique experience!
- LeMonster : Complex flavors. Massive hop aroma and bitterness.
- RastafaRye Ale - Rye Whiskey Barrel-Aged : The spicy, floral characteristics from the toasted rye malt and West Coast hops in our rye ale are accentuated when aged in rye whiskey barrels. The barrel’s charred oak then works to offset the spiciness by adding hints of caramel and molasses for even more complexity and robust flavor. Best news is: this exclusive release only gets better with age.
- Lions Sleep : Brewed with passion fruit and lavender.
- Mariposa Sour : Mariposa, the Spanish word for “butterfly,” was the term used by California’s early settlers to name sites visited by seasonal flocks of Monarch butterflies. It’s also the name of one of our favorite stone fruits, the Mariposa plum. Our juicy high-summer plums were grown and picked by Blossom Bluff Orchards and added to oak foeders filled with mixed culture Brettanomyces farmhouse ale to age.
- Molten Mirrors : Sour peach saison. Primary aroma is peach candy. More subtle flavors of tropical fruit, pears, and citrus are also present but this beer really is a peach bomb! Light body with a prickling sour taste that lingers and then finishes dry.
- Bittersweet : This big stout gets aggressive with a boost from Allegro Coffee’s exotic mocha java blend. The coffee’s dark cherry flavors and spicy undertones weave into the rich milky sweet stout like a chocolate-covered espresso bean melting on your tongue. Bitter then sweet. Sweet then bitter. It’s bittersweet.
- Jaunt : The Western Slope of Colorado, just a short trip over the Rocky Mountains, is the perfect place to find new ingredients for an excursion in brewing. Jaunt is a process, or journey, marrying a delicate pale ale with Colorado grown Riesling grapes and aged on oak, just for pleasure. The final blend boasts a creamy malt body, a bright and crisp fruity finish, and just a dash of vanilla from the oak. 7.6%
- Pot & Kettle Oatmeal Porter with Chocolate : For this rendition of our signature porter, brewed with oats, we added a post-fermentation dose of chocolate. Inviting aromas of coffee milk, cacao nibs, and pudding are followed by a hazelnut heavy palate, strong notes of dark chocolate, and Pot & Kettle's signature smooth mouthfeel. Opaque in appearance with a warm brown color.
- Cascade Kriek Ale : This NW style sour red ale is blend of red ales aged in oak barrels for up to eight months, then aged on fresh Bing and sour pie cherries for an additional eight months. Aromas of rich, dark cherries, oak and slight hints of cinnamon are noticed up front. Dark, tart cherries and light spice notes dance on the palate and lead to a rich, dark, tart sparkling finish of dark cherries and oak.
- IPA : West Coast style IPA showcasing tropical cutting edge hop varietals. A light malt base of two row, wheat and a touch of pilsner provide a platform for a complex bouquet of pineapple, papaya, mango and candy-like stone fruit and citrus tones. This IPA has a mellow bitterness and a smooth pleasant dry finish. 
- Lie To Me : Complex and creamy, leaves a delicate lace on the glass after each sip. Cherry tang balanced with velvet cocoa sweetness. Yearly Valentine's Day Special Release.
- Scratch Beer 100 - 2013 (Single Hop Pale Ale - El Dorado) : The first beer Tröegs ever brewed was a Pale Ale, so naturally it seems a fitting tribute to the series for Scratch #100 to revert to our roots. Just like that first batch of Pale Ale back in 1997, this latest offering is steeped in experimentation and exploration. So in a way, we’ve gone full circle; back to our origins, but with the same sense of adventure that that has always guided us. For the second Scratch Beer in our line of single hop Pale Ales using experimental hops, we filled our new Hop Gun with over 40lbs. of El Dorado hops. A BrauKon exclusive, the Hop Gun is a device that enables us to extract precious oils directly from pelletized hops. John Trogner is quite enthusiastic about the results we’ve gotten from the Hop Gun. “So far, it has proved to be the most efficient way to infuse hop oils into our beers,” he said. The result is a Pale Ale displaying a blast of fruitiness akin to a hoppy peach with a twist of citrus.
- Prairie Pale Ale : Brewer favorite! This is our hoppiest beer of our flagships. English hops are used with a dash of American hops creating a wonderful hint of citrus complexity. Complimented by a mild, sweet yet full body with the slightest hint of caramel. A well-balanced IPA. Cheers!
- Stops And Goes : "Stops and goes" describes summer travel in Canada - whether it's construction or meeting another piece of machinery on the road. This beer is a gose ("goesuh"): our version of a lightly salty, fruity, herbal and tart wheat beer meant to reward stopping for a pint when we reach a destination, and traffic no longer matters. Prost!
- Berliner Scheisse : For the last 70 years or so German had almost nothing to do with sour, funky beer — until Freigeist changed all that in a big way. These specialists in reviving and updating freaky old Deutsch styles have now come up with a version of a dark, historic Berlin Braunbier, hilariously named Berliner Scheisse Wild Strawberry. (If you don’t know the translation of scheisse, look it up immediately — and never offer the beer to a German grandmother.) This 5% specialty is, as per usual with Freigeist, very drinkable, in the way a shit-brown, roasted, lactic, mildly acidic and sour beer with lots of sweet strawberry can be.
- Belga : Belgian-style saison with a fruity nose – also available infused with passionfruit (Belga con Pasion).
- Milksaint Fiver : Anniversary Milkshake IPA. A special birthday installment of our series of collaborations with our friends at Omnipollo in Stockholm. Brewed with oats, wheat, lactose sugar, and green apple puree, and fermented atop of celebratory puree of Yuzu, Calamansi, and pink grapefruit. Conditioned on Madagascar vanilla beans and dry-hopped with Mosaic and Citra.
- Diablo Belga : This Belgian-style Dubbel imparts aromas of dark caramel, fruit and spice with a strong malt presence and a wicked, warming finish.
- Munich Dunkel : Characterized by the depth and complexity from the toastiness of the Munich malts, this beer represents the classic Munich dark lager. Hops come into play both in the aroma and slightly in the flavor.
- Buzz Words : Buzz Words is an 8% Imperial IPA brewed with honey. We sourced local honey from Jean’s Honey in Flemington, NJ, which adds complexity and earthiness to this beer. We dry hopped it with Simcoe, Idaho 7 and Calypso.
- Monkey's Dunkel : This is a traditional Munchener Dunkel (Dark Munich) style bier, fashioned after the original lagers of Europe before the advent of pale biers. Dunkels still enjoy great popularity in Bavaria and for good reason. Their nutty and toasty maltiness is neither too sweet nor overly roasty, making for a beer that is satisfying and very drinkable. The use of Munich malt as a base gives this beer its dark brown color and unique malty aroma and flavor. German hops give this beer a subtle earthy undertone with a clean finish. Monkey's Dunkel is a signature series of Cory Buenning, whose love for traditional styled lagers is very apparent in this brew. The alcohol content is 4.6%.
- NW Nectar : Tart saison fermented in an oak foeder on hundreds and hundreds of pounds of fresh nectarines from our friends at Collins Family Orchards. Fruity, sour and highly aromatic.
- Tempus Corvi : Taking inspiration from traditional saison brewers of Belgium and revivalist brewers of North America, Tempus Corvi is a mixed-fermentation saison. We let this saison rest for 5 months in French oak wine barrels where the activity of a diverse collection of Saccharomyces and Brettanomyces yeasts and lactic acid bacteria transformed the beer, adding sourness and additional complexity. With its bright acidity and light body, Tempus Corvi is a refreshing beer ready to drink now or be cellared for continued development along its own course.
- Hops Infusion : Made with seven hop varieties, this deep copper-orange IPA is loaded with juicy hop notes of pine, lemon zest, and a layer of pink grapefruit and a strong foundation of toasted caramel malts underneath it all give this beer a complexity that's unparalleled.
- Strive : Bright, tropical fruit flavors. High carbonation and a dry finish balance nicely, very food friendly.
- Upland / Cigar City - Galaxy Grove : This collaboration with our friends at Cigar City Brewing in Tampa, FL is a funky IPA with miles of depth. During primary fermentation, we use two strains of Brettanomyces, both known for their fruity, tropical characteristics to complement the use of hops. The beer was then transferred into previously used oak barrels from Upland's Wood Shop to add a light acidity to the beer before aging on peaches and guavas. After going through another fermentation on the fruit, the beer was generously dry-hopped with Centennial, Citra, and Galaxy hops.
- Cornelius : Cornelius is an archetypal San Diego IIPA. The beer pours a bright gold with a sticky white head. The aroma explodes out of the glass with pine, orange and grapefruit. The taste follows the nose, with a nice distinct bitterness. We continue to evolve this beer with slight grist and hops adjustments. Always delicious and a perfect IIPA at 9.6% ABV that is deceptively easy to drink.
- Double Pilsner : This dark gold lager was brewed with twice the malt & hops of our original Pilsner. The result? an Imperial-style Pilsner with a full-bodied, rich hoppy finish.
- Gun Hill / Destination Unknown - Ripe for the Picking : A fruited sour IPA w/ apricot and passion fruit & hopped w/ AU Summer, Hallertau Blanc + Mosaic, in collaboration with Destination Unknown Beer Company.
- Sprang : Originally brewed as our hoppy welcome to Spring after the long, dark months of winter, this low ABV, kölsch inspired ale is cool fermented and dosed with Nelson Sauvin. Lower fermentation temperature slows the yeast's metabolism and provides balance by gently subduing super-fruity esters and spicy phenols. Sprang is refreshingly light bodied with aromatics of earthy evergreen, passion fruit, and faint doughy malt. Flavors of concord grape, mango, and herbaceous white wine interweave with cracker-crisp, pilsner malt character and minimal bitterness. The finish is dry with a lasting touch of grain. 
- SF-SD Bay To Bay : A california common is lager yeast fermented at ale temperature unique in its own right but alongside 2 row, biscuit and munich malts we added a bit of dark malt to give it's black hue. If not uncommon enough we gave it a very healthy dose of citra, amarillo and sorachi ace to give it that west coast/San Siego citrus hoppiness that we've come to know and love. To freak out the beer a little more we added single origin madagascar cacaoa nibs from Dandelion Chocolate (bean to bar chocolate factory in the mission, SF) and we zested a slew of blood oranges (sourced from our local farmers market). The beer pours black and the first thing you'll notice is a bouquet that is dank with orange, grapefruit and subtle lemon intermingling with some soft notes of roast and cocoa. We have curated quite a unique flavor that starts smooth and bright but transitions to a cocoa/hop finish that sits on the mid palate. Much brighter and hoppier than the IBU's would lend you to believe and a perfect beer for the dark chocolate and hop lover. Brewed with adventurous love with our friends from Almanac Brewing from the bay area. This beer would go great with roasted beef, grilled root veggies or mushroom risotto. We hope you enjoy this UnCommon Ale!
- Boscos Hillsboro Brown : A classic English-style Nut Brown Ale. Sweet and malty with the nutty flavor of chocolate malt, this beer is flavorful yet easy to drink.
- Malt Monster Series - Oldwyn : The matured demeanor of a malty-sweet, rich dark amber brew, Oldwyn quickly escalates into a grumpy old monster with a temper of aromas including dried fruit, vinous and toffee. Followed by a tantrum of malt complexity and alcohol characteristics, this brew finishes with a calm, subtle breath returning to his natural sweetness.
- Smoke Chaser Reserve - Double Barrel Aged Smoked Barly Wine : Smoke Chaser Double Barrel Reserve is a blend of our 2014 vintage Smoked Barley Wine aged in Bourbon Barrels for 24 months and our 2015 vintage Smoked Barley Wine aged in Rye Whiskey Barrels for 12 months. The blend of barrels and slow oxidation transforms this beer into an uber complex barley wine with a rich malt backbone and complex whiskey overtones. Nuances of smoke, oak, and vanilla flow through every sip. Share with a friend now or Reserve for a special occasion. Cellar up to 5 years.
- Daycation : Sit back and relax, or grab your pack and go - this IPA is up for anything. Lively and light-bodied, Daycation celebrates Mosaic®’s ripe stone fruit notes, while an Azacca® and El Dorado® dry hop adds layers of tropical fruit and lemon. Balanced by a varied malt profile, with enough bitterness to satisfy hop enthusiasts, this beer is crafted to bring you back for more.
- Black Drink Coffee Black IPA : Not a hint of light anywhere in this glass. Enjoy a dark, black pour with hints of bitter hops and heartily roasted coffee beans.
- North Fork Organic Porter : A traditional English-style Brown Porter brewed from the finest certified organic 2-row pale, munich, crystal, and chocolate malts. Hopped with certified organic New Zealand hops. Dark reddish-brown in color, full-bodied, with a roasty coffee-like character.
- Beware of Darkness : Azzaca Pale Ale. 5.3% Brewed with oats and Crystal malt. Hopped assertively in the kettle with Cascade and Chinook. Then dry hopped aggressively with Azzaca and a touch of Galaxy. Watch out now, take care. Notes of ripe lychee, fuzzy kiwi, starfruit and freshly laid sod.
- Brains Craft Brewery Little Sipper : Little Sipper is a golden, hoppy ale with maximum flavour coupled with a low abv. This Sessionable IPA has light malt flavours that combine with a crisp bitterness and aromas of grapefruit, apricot, citrus and fresh pine-needles from the use of Cluster, Mount Hood, Liberty and Palisade hops.
- Lord Ladybug : A very dark Berliner Weisse conditioned on tart cherries.
- Chateau Lefors : This Belgian-style Quad breaks subtly with tradition with an assertive late addition of Hop Head Farms German Select for a strong, dry taste, and low bitterness. Flavors of dark stone fruit are accentuated by fruity/spicy esters from Bastogne yeast.
- Eternal Shredder : Eternal Shredder is the imperial version of Master Shredder. We are extremely please with how this came out. Jam packed with tangerine, grapefruit, fresh bright orange peel. Subtle dankness. Juicy as all get out!
- Small Batch Hoarders: So Happens It's Snack Time : This candy bar inspired barrel-aged imperial stout is sure to satisfy. We added graham crackers, peanuts, cacao nibs, and salt for an end result that is nutty, sweet, salty, and smooth.
- Dirty Stop Out : Dirty Stop Out is our smoked oat stout that has all the characteristics of a heavy night out - Complex, dark, with hints of smokiness and perfume aromas. A blend of 9 malts matched up with a firmly hopped back bone make this a very self assured stout.
- Paper Trail : A new riff on a very old style, this Russian-Style Kvass beer meets with a Petite Oud Bruin to produce a unique and refreshing beverage. After connecting with La Panciata Bakery in Northfield,VT and hand picking out various loafs of their house baked bread we mashed in a petite brown ale with 28 lbs of bread and 1 lb of toasted caraway seeds and let it sour mash for 72 hours. Then after a light boil and light hopping with co-fermented it with our house yeast as well as a Sourdough culture that we have been training for the last few months. The results are a beer rich in caramel, dark sour cherry and baking spice aroma with a tart, roasted lingering finish begging you to explore another sip. Don't be fooled and follow the paper trail. 
- Tropic Heart : Mango and passion fruit sour ale
- Grapefruit Technique : Elissa IPA with grapefruit peel and grapefruit juice
- Hypgnosis : Citrus and fruited hops explode off a soft subtle malt base, finishing clean with bright refreshment. Bet you can’t have just one.
- Dewpoint Dunkel : Inspired by a warren of basement bars in Wurzburg, Germany, the Dewpoint Dunkel won a gold medal from the 2012 Music City Brew Off in Nashville, Tennessee. Medium bodied with a rich flavor and color, Dewpoint will surprise even the most skeptical with its drinkability. Hints of roasted chocolate satisfy dark beer lovers and win over those who prefer lighter styles. Try it once and you may be lured to the dark side for good.
- Derailleur Ale : Change gears for a smooth downhill ride! This well-balanced ale has six types of malt and four hearty hop additions. The end result - a deep amber color with a rich and complex profile.
- Kinda Sorta : Double Dry Hopped Double IPA with Citra, Mosaic and Bru-1. Notes of ripe fruit, pineapple and full of sticky hop stank.
- Saranac The Heart Of The Hop : At the heart of this beer is a citrusy combination of Simcoe and Citra hops, while a Rye malt adds a dry spiciness and carafa malts give it the dark amber hue. 
- Green Weenie IPA : An unfiltered, hop forward IPA with a generous amount of both Nugget and Citra hops to make it very fruity.
- Other Half / J. Wakefield Florida Plates 2 : Florida Plates 2 Imperial Spelt Cream IPA with Passion Fruit and Peach (8.0%) brewed in collaboration with J. Wakefield Brewing is a riff on Florida Plates but with passion fruit instead of pineapple and we switched the hop bill up to be Citra and Galaxy.
- KärnL : A tart & funky orange-red hued sour ale partially aged atop of NY Montmorency Cherries in a Hillrock Double Rye Barrel. "Montmorency" cherries are lighter in color, sharp, tangy, & slightly sweet; the preferred baker's fruit, due to their delicate balance between tart & sweet. The aroma is oak, sharp cherry pie & a little farmhouse funk. Flavor is tart cherry, grain, rye, oak, funk, finished with an acidic palate cleansing complexity.
- 4th Year Beer : Our 4th Year Beer, or “Quadruple," is inspired by the traditional Trappist strong ales produced in the abbey breweries of Belgium. Brewed with Pilsner, Munich, and Caramunich malts, the resulting beer has a deep chestnut hue. Rich flavors and aromas of fresh bread, dark fruits, honey and brown sugar are up front with the Belgian yeast strain contributing a punch of spice and fruity esters wafting up with every sip.
- 98 Stout : 98 Stout is a bold American stout that’s a mouthful of fun. It has hints of dark chocolate, roasted malt, and a touch of cascade hops. The beer finishes clean and dry to keep your mouth watering for another sip. We certainly didn’t reinvent the stout, but we definitely made a nice one!
- Ambrosia Berry Belgian : This unique ale is brewed with raspberries and boysenberries using a favorite Belgian yeast strain. The result is a complex layering of fruit flavors and spicy phenolics. The berry flavor is dominant and refreshing and the Belgian yeast adds its own fruity flavors as well. Be careful, this easy drinking beverage is a hard hitter. Sip slowly and enjoy the elixir of the gods in mid-winter.
- True Blood Blood Orange IPA : Two rights make a hell yes. Our expertly-hopped Imperial IPA, The Truth, mixed with the always-right Bloodline Blood Orange IPA is a recipe for true love. To all you “Bloody Truth” fans, call it whatever you like, just don’t call it late for happy hour. This blender rounds out at 7.8% ABV with a hop bite full of citrus and tropical fruit that hurts So. Damn. Good.
- Earl Of Brixom : Earl of Brixom is an English Dark Mild Ale with a rich brown color and a mocha laced aroma. The overall body is lighter than it appears, yet robust flavors of roasted malt, chocolate, and caramel are prevalent. This beer is filled with flavor, but not overly sweet. The finish is pleasantly clean with a slight, black-coffee-like bitterness.
- Night Jump : Night Jump pours deep black with a dark roasted head of foam. Note the smell of barrel and the full scent of the malts. There is a rich flavor complemented by the whiskey barrel aging and the cacao nibs. We use more hops than the 18th century Brits did. Best if consumed after doing a night jump over enemy territory.
- Saranac Silk Road Gose : Exotic flavors of grapefruit peel, pink peppercorn and kosher salt give a citrusy, tart flavor with a slight spiciness. Refreshing and salty.
- Impending Descent : This colossal, palate-numbing Imperial Stout is brewed with six different malt varieties to unleash a barrage of chocolate, vanilla, dark fruit and coffee on the tongue. Copious amounts of American hops impart a serious dose of grapefruit rind and pine resin, resulting in a labyrinth of complex flavors and aromas. 
- Scratch Beer 16 - 2008 (Winter Warmer) : Scratch #16-2008 combines the bitterness of two aroma hops, the lush sweetness of honey and malt and an earthly yeast taste creating a Winter Warmer designed to ward off the coldest days. The dark, rich amber color comes from a combination of molasses and crystal malts; the Thames Valley brings a distinct earthly flavor; white the blend of hops creates fruity (Amarillo) and piney (Cluster) bitterness. The Winter Warmer ends with a slight warming sensation from the elevated alcohol content. Enjoy this one throughout the winter months.
- Friend Of A Friend : After pulling Contrails w/ Peaches off of last years fruit, we were left with a beautiful slurry of peaches full of yeast and bacteria, both wild and from our foeder, which on its own tasted incredible, but promised more magic... So we pitched a base of Belgian pilsner malt, spelt, and raw Kansas wheat onto it and allowed it to ferment and age for 7 months. The results are an extremely complex beer, with rich, jammy peach notes throughout.
- Dubbel Dutch : This rich and complex Belgian Style Dubbel Ale originated in the European Monasteries of the middle ages. The times were tough and food was scarce. However, meticulous monks served the community, and themselves, by brewing a righteously robust beer which provided comfort. With this hearty draught the fasting friars had no need to worry. The biblical brewers provided passing pilgrims with necessary nutrition found in the Dubbel.
- Beaucoup Berry Bu : Our Berliner inspired ale, fermented and aged in red wine barrels, then refermented with black raspberries, red raspberries, boysenberries, and blackberries. A tart fruit extravaganza!
- Irie IPA : A malty and complex IPA which supports the generous amounts of Chinook, Centennial, and Colombus hops. American Ale Yeast ferments this beer cleanly allowing the dank hop qualities to shine through.
- Emergent White IPA : Emerging from winter’s cold into sunny spring is Emergent White IPA. Orange peel contributes a bright, citrus flavor complemented by a subtle spiciness from the coriander and Belgian yeast. With a golden hue and fruity, floral hop aroma and flavor, Emergent goes down like a breath of fresh mountain air.
- Passion Fruit Agenda : Hazy IPA w/ passion fruit 
- Black Oak Ten Bitter Years : To celebrate our 10th Year Anniversary in 2009, Ken wanted to put out a hoppy, bitter brew as a witty way to commemorate a decade of survival in the craft brewing industry. The result? Our 10 Bitter Years Imperial IPA. This strong brew pours a burnt orange colour and has a fresh, bright citrus and tropical fruit aroma. This beer is double dry hopped using three different varieties of North American hops leading to a full flavour of bitter pine and citrus. Although it packs a good hoppy punch, it finishes as smooth as possible for the style, with just enough alcohol warmth to enhance the flavour. 
- Belgian White Ale : This Belgian-style white ale is light and refreshing, yet quietly complex. In the tradition of Belgian wheat ales that rely on orange peel and coriander for the citrus aroma, the Yellowhammer interpretation instead uses Kaffir lime leaves and fresh ginger to give the brew its hint of spice. Made with German and pilsner malts, German wheat and flaked rye, the white derives a citrus character from a small amount of Amarillo hops, added to the brew at flame out.
- Rain Maker : When we first brewed this beer, it conjured up a powerful storm. Take shelter and stay warm with this complex, roasty porter and its notes of coffee and dark chocolate.
- Alaskan Hopothermia : Nugget and Apollo hops added in the brew kettle provide a green, floral aroma and citrus hop base, while the later addition of Amarillo, Citra, and Centennial hops add notes of spicy grapefruit and orange - complimenting the resilient malt profile.
- Big Tasty's Back Door : Westbrook Big Tasty's Back Door is a remix on Stillwater's Cellar Door Saison. A number of herbs and spices known for their therapeutic properties are added to "expand the cleansing aspect of the white sage" in the original recipe. Then, at bottling, they add "brettanomyces bruxellensis for a funky complexity that will develop over time."
- Sour Puss IPA : The beer drinks light and finishes crisp and tangy. Very minimal use of malt and bitterness allows the sour to dominate the flavor profile. Aromas of fruity hops with an emphasis on citrus should dominate your sniffer.
- Laid Back n' Lazy IPA : This crisp, refreshing American IPA, complemented by its light golden color, is a great way to kick off your summer! The tropical fruit and citrus notes paired with a faint malt background make this the perfect brew to take seaside. Hoped and dry hopped with Mosaic, Azacca and Ekuanot hops.
- Pushkin Russian Imperial Stout : Coffee, roasted barley and thick malt blend well in this hearty beer modeled after the stouts that kept the Russian Imperial Court warm during long winters. UK & Domestic Malted Barley, Raw Oats, Cold Pressed Coffee, Dark Brown Sugar, Dublin Water Profile and English Ale Yeast
- Power Tools : Reeks of grapefruit and pine, riding a firm bitterness right on through every sip. We just keep adding layers of hoppy goodness to this one all the way throughout our process, and we think you'll notice. DO try this at home.
- Coal Miner's Dodder : Notes of espresso and milky chocolate on the nose meld with flavors of dark roasted barley to create a rich, creamy mouth-feel that ends with a dry, slightly bitter, finish.
- Hammer Of The Holy : Hammer of the Holy, an American Imperial Stout aged in 40-year old Jamaican rum barrels, incorporates holy water, signature dark malts, and malt smoked with vampire killing stakes. Dear Undead, "Die, monsters, die!"
- Season Of Wry : Dark rye saison.
- Nimbus Old Monkeyshine : Our Old Monkeyshine Ale is an exceptional example of a true, traditional-style English Pub beer. Nimbus Old Monkeyshine Ale is medium bodied and possesses a distinct, dark roasted flavor. Its sweet malty taste is derived from liberal use of seven varieties of specialty malts and a touch of brown sugar. Our Old Monkeyshine Ale is dark in color, beginning with a slight caramel malt overtone and rounded with a relatively dry finish from its English Kent Goldings hops. The hops aroma is mildly subdued and the bitterness is just enough to balance the profile of this beer.
- Barn Beer : Coolship Cooled 100% NY ingredient wild Farmhouse Ale. The aroma dances between fruity funky yeast & lemon/pine hop notes with little to no hop presence in the taste. Slightly tart, soft & lemony.
- Expedition Stout - Double Barrel-Aged : Aged first for 10 months and then again for another year in freshly retired bourbon barrels from Four Roses Distillery, this version of our Russian Imperial Stout is complex with an incredible depth of flavor and character. Notes of dark chocolate and bourbon compliment this strong, rich, aged stout.
- Atomic Bomb : A glorious golden ale with an outstanding well hopped fruity finish.
- Mad & Noisy Lagered Ale : Inspired by the Kölsch beers of Cologne Germany, this straw-blonde ale is subtly hopped, fermented with ale yeast and then lagered cold. The results, a light-bodied brew with a delicate fruity aroma of an ale and a crisp clean finish of a lager
- El Dorado DIPA : Deep straw yellow color. Aroma of tropical fruit & pear. Flavor is juicy & bitter with bright flowery notes. A pleasant bitterness that lingers.
- Toasted Coconut Porter : Toasted Coconut Porter is a brown porter that’d be a great beer on its own is even better with a subtle toasted coconut character that complements the dark grains wonderfully. A complex and exotic potion that’s an easy drinking, refreshing tropical elixir.
- The Gardener : A variation of their Belgian-style pale ale, "Jardinier" (French for “gardener”), but fermented with German lager yeast which imparts more crisp, clean and herbal characteristics. instead of the fruitier Belgian yeast usually used.
- French Quarter Stout : A robust stout brewed with 2 dark chocolates and aged with peppermint.
- Hype Train - Mango, Passion Fruit And Citra : This Triple IPA clocks in at 10.5% and is hopped exclusively with Citra. We then condition it on copious amounts of mangoes and passion fruit before packaging.
- American Tripel : An American version of the classic Belgian Tripel. Pale yellow but full-bodied. The Belgian yeast marries with American hops for a nose and palate full of fruity characters.
- Dial Up The Seven Digits : 1-800-COLLABO! We've teamed up with Monkish to bring you Dial Up the Seven Digits, a juicy Double IPA brewed with muscat grape juice. Combining the recipes for Dialed In (our Double IPA brewed with various wine grape juices) and Monkish's Dial the Seven Digits Double IPA, DUT7D is a harmonious marriage of dank hop flavors and smooth, subtle muscat juice. Papaya, grape, peach, and fresh woody pine tease the nose. The palate conjures powerful flavors of papaya juice and tropical fruit with a creamy mouthfeel and wheat finish. 
- Sexy Hops #1 : We dropped loads of New Zealand Kohatu and Australian Vic Secret dry hops into a base of the finest Maris Otter Malt. Bright waves of passion fruit, pineapple, tropical fruit and lime abound in this sexy brew.
- 2016 Estival Dichotomous : We’re pleased to introduce 2016 Estival Dichotomous. For this year’s Estival Dichotomous, we added grapefruit and tangelo zest to some mature, barrel aged sour beer. We then blended the barrel aged sour beer with citrus zest with young fresh beer fermented in stainless steel. Finally, we refermented the blend of old and young beer with a small amount of marion blackberries.
- Julius : Bursting with 1.6 oz per gallon of American hops, Julius is loaded with notes of passionfruit, mango, and citrus. At 6.8% alcohol, it is refreshing and freakishly drinkable.
- Rubens : Belgian-style dark ale aged in oak barrels with cherries, cacao nibs, and coffee beans.
- Super Nebula: Coffee With Elijah : Our brewers selected and matured this special edition of 2014 Super Nebula in a single twelve-year-old Elijah Craig bourbon cask and then conditioned on freshly roasted organic cocoa nibs from Ecuador and Nicaragua and a cold extraction of premium coffee beans. The beans, Benevolence blend and single origin Ethiopian Yirgacheffe were hand roasted by Mud River Roasting, and selected for their unique dark chocolate, toasted nut, and blueberry profiles.
- Taybeh Dark : This classic style was first brewed by monks in the Middle Agesin order to fortify themselves during their fasting. A generous amount of malt goes into every bottle of smooth, rich Taybeh Dark Beer. Brewed in small batches in German traditional style using roasted malted barley, hops, yeast, and pure water creating a classic quality rare brew to celebrate the turn of the century in the Holy Land.
- Crag Rat Porter : "Crag Rat is a session-strength dark ale that's distinctively hoppy, courtesy of lots of Simcoe whole flower hops. Named in honor of the oldest volunteer mountain search-and-rescue organization in the USA, based right here in the Hood River Valley."
- Pluum - Blended Sour Ale w/ Plums : Pluum is a dry-hopped, folder-aged sour plum ale brewed with elderberry and salt. The use of both Damson and Mirabelle plums from B.C's interior evoke aromas of ripe pit fruit while the addition of Brett L adds a layer of funk. Juicy and tart with a saliferous warming mouthfeel. 
- Happy Accident : Apricot and stone fruit aromas with complex ester character and a juicy, puckering sour flavor.
- C3K IPA : Collaboration with Rooftop Brewing. A Northwest hop bomb with a blend of hops from around the world. Experimental hops from Yakima, wild hops from Slovenia, and two from New Zealand (Dr. Rudi and Orbit). Hopped at 4lb per barrel. Fruity, bitter and resinous. The malt bill is held back a bit to make this a crushable brew.
- 4th Anniversary Ale : Brewed with passion fruit
- Half Cracked Nut Brown : Back in 2009, Mark Gillis and Glen Ingram hatched a plan that, after months of hard work and many late nights, became Plan B Brewing. Glen has since moved on to other pursuits but our nut brown remains as a tribute to his vision and determination. It owes its name to its dark colour and a slight nutty flavour, which it gets from roasted barley. We've kept the hops to a minimum so you can experience its full malt flavour.
- Ms. Magenta : Berliner weisse brewed with dragonfruit & strawberry
- Coffee BART : A much anticipated release, with some really entertaining PR building up to it. The bottom line is, this isn’t a train, and there’s nothing “Rapid” about it. A delicious blend of our Imperial Stout and Barleywine, barrel aged for over 100 days, and then infused with some locally roasted coffee. It pours dark brown with a tan head, and has a nice dark roast coffee aroma complimented with hints of caramel. The taste is smooth dark roast coffee, strong bourbon oak, toffee, and vanilla, with bitter notes and alcohol warmth coming through on the finish.
- Maple Tripple Ale : Enticing, rich and complex, this creation defies easy description. Our 'once-a-year beer' is brewed only during sugaring season with 100% maple sap from our friend Paul Marble in Fayston, VT. No water added! Just barley, hops, and ale yeast.
- Lunar Flight : Huge amount of Falconer’s Flight hops give this beer its tropical fruit & citrus aroma. The malted/flaked oats base the beer its creamy, smooth mouthfeel while being left unfiltered, leaving a hazy, juicy appearance.
- Richie Imperial Porter : Richie Imperial Porter is powerful and complex. Made with roasted barley and chocolate malts, it balances sharper flavors with a clean, semi-sweet finish.
- Flamboyant Wild Red : We produce this sour ale by ageing our Jackhammer Old Ale for 12 months in inoculated oak barrels. The result is a high-gravity, medium-bodied ale with a richly complex palate bursting with juicy sweet-tart fruit flavors. Classic flanders red ale flavors and aromas intermingle with earthy, oakey notes and estery phenols over a rich malty base with the perfect balance of acidity and dryness.
- Passion Fruit Hisbiscus Ale : A collaboration with Floating Bridge Brewing. A stimulating light-bodied wheat ale with floral aroma and tart fruit character. brewed with hibiscus and passionfruit. Hopped with Sorachi Ace. Brewed in collaboration with Floating Bridge Brewing.
- Cape Cod Weizenbock : Weizenbock is a strong, malty, fruity, wheat-based ale combining the best flavors of a dunkelweizen and the rich strength and body of a bock. Weizenbock has the distinction of being one of the heavy-hitters in both the wheat beer and bock families. Ours is unfiltered with a strong, rounded, malty backbone that showcases the aromatic yeast letting its fruity, banana-like quality emerge. At 8% ABV this beer is no lightweight and will help keep you warm on the coldest nights. We took our time lagering this gem to a smooth perfection and we hope you’ll take your time enjoying it. This beer uses the same special yeast used in Cape Cod Summer Ale and Cape Cod Beer’s award winning Dunkelweizen.
- Dubbel : No Belgian brewery is complete without a “Dubbel”, and so we’ve been working on adding one to our collection. The Dubbel style beer originates from the Trappist abbey in Westmalle, where it is still brewed today. Dubbel (double) refers to the higher alcohol content, ours being at the modest end of the scale at 6.5% alc/vol. Our Dubbel has a deep brown-red colour. At once, this beer greets you with a sweet caramel aroma. The sweet berry, dark fruit, and slightly nutty flavours are well balanced with a subdued malt taste and a bit of sourness.
- Double Daddy : Doubling down on malt & hops, Double Daddy raises the stakes. Double Daddy pours a fiery orange with a lasting creamy white head. Triple dry-hopped with Pacific Northwest hops, the aroma is lush and floral with notes of grapefruit, tangerine, pine, and spice. Fresh pale malts and an orange marmalade tang balance the bold, bitter hops and lean mouthfeel.
- Half-Truth : Session IPAs have long divided the brew community. To many IPA aficionados, they're nothing more than "hoppy Pale Ales". We respectfully half-disagree. So we created Half-Truth, a believably tasty Session IPA with all the resinous grapefruit flavour and rich mouthfeel of an IPA and the low alcohol content of a session beer.
- It's Own Thing : This Citrusy IPA is doused Heavily with Cascade and Citra hops, and fermented using "Sacch Trois", an expressive yeast strain that gives the beer fruity and funky notes.
- Monks' Tripel Ale Reserve : The monks of the Benedictine Monastery of Christ in the Desert in Abiquiu, New Mexico, brew this gold-honey color Belgian Style Abbey Tripel Ale each year in limited quantities, using whole native hops grown at the monastery. Monks' Abbey Tripel Ale Reserve is distinctly fruity and spicy. The yeast lends notes of apricot, peach and plum. The hops are well balanced and add a slight earth/spice flavor before the finish. The barley malts provide a rich quality up-front, and a round fullness in the middle. The finish is clean and dry with light hints of citrus and mint. Like all of our Monks' Ales, our Tripel is "made with care and prayer".
- Schooner's IPA : "Inspired by the great West Coast IPAs, we have created a well balanced beer to satisfy all. Born of Amarillo and Centennial hops, this baby is well over 1 pound of hops per barrel while it's still in the kettle and we dry hop with yet another pound per barrel once fermentation is complete. To balance the substantial hopping we provide plenty of malt backbone. The result is a complex interaction of bitterness, fruity fermentation esters and citrusy hop character. 65 IBUs, 7.0% Alcohol"
- Samhain Pumpkin Ale : Our seasonal Pumpkin Beer is made by using over 200 pounds of pumpkins which are first roasted and caramelized in our brick oven and then added directly to the mash, providing obvious yet harmonious pumpkin qualities which are not overpowered by hop character. The beer is copper to dark orange in color. Cinnamon, coriander, allspice, nutmeg and juniper. Alcohol by Weight (Volume): 5.29% (6.77%) Bitterness (IBU): 29 Color SRM (EBC): 13 (26)
- Doppel Sticky : This fruity, estery double altbier is brewed in the traditional-ish style of the Doppelsticke, which is the widely known secret Germanic-esque strong ale. Like it's California Common counterpart, we fermented this ale at a lower temperature to pull out the sulphur-y bite from the yeast, then dry-hopped it with some dank, Sticky hops, including some brand-spankin'-new Enigma hops from the great Down Under! 
- Tectonic Barleywine : We build the flavors for our complex English inspired barleywine using six imported malts and two diverse hops. The result is a complex, well matured ale meant to be savored with each sip. Savory, Full, Rewarding.
- Provision (Sole Composition Series) : "Produced for the Holiday Ale Fest... a malty biere de garde blended with some barrel aged old ale from 2010. The two beers came together to make a brew with strong aromatics and a complex flavor profile. The French inspired portion, making up 80% of the blend, was fermented with lager yeast at an elevated temperature in one of our open fermenters. The traditional British-style old ale had been aging for over a year with brettanomyces yeast in a wine barrel"
- Fuzzy Logic : For our first release we present our take on a Kolsch, a traditional German beer from Cologne, Germany. Built from the ground up with the best North American malted barley and wheat, combined with a touch of German hops, this beer has a slightly citrusy and sweet malty character with only a hint of bitterness. Our special Belgian yeast imparts a signature fruit and floral aroma, making it a refreshing beer for any occasion.
- Peach Folk : Fruited Mixed Culture Golden Sour
- Mr. Goroboros : You may remember Mr. Ouroboros, another beer we've brewed the last couple of years. Mr. Goroboros is a Halloween tribute to a darker character brought to his knees by the ghost of Coney Bottoms, Mr. Ouroboros. This unfortunate tale has an echoing effect. As it's told, some time ago a young man road tripped his way to the hop fields where he was to get his hands dirty during harvest. One night he stayed up late with a local gal and went traipsing through the fields. Having nipped a few steins of the local color, he and this gal began playing games. He thought it was best to run and hide in the hopes of whipping up some fright. Quickly he was disoriented in the dark rows and found himself still. A sharp shrill rang out loud and then a groan was felt behind him. He quickly twirled to find Mr. Ouroboros gurgling and drooling in his glowing disgust not ten feet away. Before he could react, he felt the moist fragility of Mr. Ouroboros' carcass gooing all over his body. He said he could feel that body entering him everywhere. The rest remains a blur because that's all he was able to tell those who found him. The girl was never seen again. In the days and weeks after, the boy derailed. It was as though he needed to do away with his body, as though he needed to remove it, and so he did. One tragedy folds into another and the lore gets bigger.
- Windhand IPA : The first beer in our Collaboration IPA series. Being big music enthusiasts and a collection of musicians ourselves, combining beer and great riffs was a no brainer. Windhand is a Heavy Psychedelic sludge/doom metal band hailing from Richmond, VA. Press and reviews have likened them to a “new and fresh” Black Sabbath meets Nirvana. Their talented guitarist Asechiah Bogdan provided the art for the beer label and collectively Windhand’s heavy repetitive grooves provided the inspiration for the brew. This IPA is a exploration in the citrus realm of hops. Notes of strong tangerine, grapefruit and resin like bite with a classic malt base. Brewed with Nugget, Millennium, Warrior and Crystal hops.
- Redhook Eisbock 28 : Eisbock 28 is an ice processed winter warmer. This rich lager is aged for months at temperatures well below freezing and is a deep gold color and has a smooth and malty flavor with bittersweet complexities. This highly unique beer is unlike any other and to our knowledge Redhook is the only American Brewer currently brewing it. This traditional winter beer is very drinkable, even with its high alcohol content and is perfect before or after dinner. 
- Weird & Gilly IPA : SOME CAT FROM JAPAN suggested we do an IPA that is J-U-I-C-Y. So we packed up a pack horse and made it happen! Soft doughy and slightly tangy malt lies under bright citrus, round tropical fruit and mild pine resin hop aromatics that underscore the waves of flavors to come.
- Cherry Brune : A smooth semi sweet chocolate presence from the special blend of malts opens up into vibrant fruity flavors from the cherry puree to introduce a balanced, blended brown ale, not to be confused with an Oud Bruin, with flavors reminiscent of a black forest cake.
- Porter : The Duck-Rabbit Porter is very dark in color. This robust ale features a pronounced flavor of roasted grains reminiscent of dark chocolate. Also, we add oats to the grist for a round, silky mouthfeel. The malt is well balanced with hops to make this a fantastic choice for fans of traditional, robust, full-flavored beers. We're confident that you'll love this yummy porter!
- Sucellus Imperial Porter : Named for the Celtic god of agriculture and alcoholic drinks, he is often seen carrying a hammer and a beer keg on a long pole. We crammed a whole lot of oatmeal and chocolate malts into this ale. Our imperial porter richly coats the tongue with smooth, dark chocolate and the kind of velvety goodness that’ll make you think the whole world loves you – even your mother-in-law.
- Belgian Hostel Slumber Party : Slumber Party will be our series of stouts, an ode to the Survival Horror Genre of games that really came to the forefront with classic titles like Castlevania, Splatterhouse and Sweet Home and went full mainstream with Resident Evil dropped in the mid-90s. Dark, rich chocolate and deep roasted tones are present with pleasant fruit and spicy esters from our house Belgian-yeast strain. 
- Wild XIII : Apricot Jam, candied lemon peel and mild earthy aromas. This mixed culture golden ale brings a strong acidity tempered by sooth oak and a mid-palate fruitiness.
- Grand Cru : Brewed with imported Belgian malts and a blend of exotic spices, BJ's Grand Cru has a malty character with a whirlwind of fruit and spice flavors. First brewed to celebrate the new millennium, BJ's Grand Cru has been a seasonal tradition ever since. This Belgian-stlye amber ale is bottle-conditioned and flavorful enough to age in the bottle for many years. Like a fine wine, the beer will change over time as some flavors mellow while others become more pronounced. For optimal aging, we recommend that you store BJ's Grand Cru for at least one year at between 55 and 65°F. Or enjoy it now!
- Mapleator : While its name pays Reverence to the “ator” tradition of this historic, German style, we decided to Revolution-ize our take on it with the addition of maple syrup, adding even more complexity to the deep, rich, and toasty maltiness of this classic Bock Lager style.
- Crucial Aunt : Crucial Aunt is basically our flagship double IPA Crucial Taunt with a ton of natural mango purée and nectar added to it. We used over 100 lbs of mango purée for a 15 BBL batch. We also increased the Citra on the dry-hop addition to enhance the citrus/fruity aromatic component. This is our most fruit forward beer we have release so far. The mango presence is ridiculous!
- Geiger Roggen : Traditional German wheat beer brewed with rye malt for a spicy complexity and a measure of roasted wheat malt for color and crackery cocoa flavors. Finishes Dry, with lingering hints of pumpernickel.
- Key Lime : Are you tired of fruit beers that are nothing but a glassful of disappointment? No? Oh. Well, we were, so we made a good fruit beer. You should try it. We don't use any syrups or other weird fake crap because we didn't want it tasting like some idiot dumped a bunch of candy in it. So if you are looking to drink a beer that tastes like some idiot dumped a bunch of candy in it, maybe you should have better taste?
- Blend Love : A mix of barrel aged Four and Six using cherry and raspberry along with souring yeasts and bacteria. It's fruit forward in the nose with a balanced flavor bringing the malts and oak together. Named for friend and colleague Ben Love of Gigantic Brewing Company.
- The Devil's Invention : The Devil's Invention is a full-bodied stout brewed with coffee. Inspired by one of the early nicknames for coffee, "the bitter invention of Satan", this stout has a bold, chocolatey aroma with complex notes of coffee and a smooth, sweet finish. The Devil's Invention pours black in color with a tan head.
- Abita Select Cream Ale : Our Cream Ale is slightly different than most other beers of this style because ours is a little darker. We did this to make it a more flavorful beer since most other cream ales are fairly bland. We used pale malt and some light colored caramel malts to give the beer a deep golden color. These malts also give the beer a full bodied malt character. We used North American, German and English hops to give the beer a distinct hop flavor and aroma. The result is a bold and flavorful ale that can be enjoyed in the spring and summer.
- First Frost : Persimmon (Diospyros Virginiana) — literally, “fruit of the gods.” Sweet and savory, with natural notes of cinnamon and apricot, the orange-globed persimmon fruit truly is heavenly. But it’s not until after the first frost that persimmon turns from astringent and bitter to a luscious fruit worthy of the gods.
- Canvas Series: Resonare : Resonare is a golden sour ale aged in neutral wine barrels. Two pounds per gallon of whole Italian plums contribute depth of character and stone fruit essence to this sour ale. Once this beer reaches its peak, we blend the barrels to attain the perfect resonance of our house sour culture with rustic Italian plums.
- Rye Porter : This full bodied porter was brewed using several specialty malts to give it a deep dark color and rich flavor profile. In addition to the specialty malts in this brew, 20% of the grain bill was made up of rye malt giving this porter a wonderfully spicy malt complexity. The robust dark malts combined with the spicy rye give this beer a truly unique flavor profile!
- Pander Bear Belgian Brown IPA : Pours a deep brown color with an immediate burst of hops on the nose. The malt character is reminiscent of dark chocolate and toffee. The unique blend of American bittering and German aroma hops lends the beer a clean bitterness and overwhelming flavors of resinous pine and spruce. The Belgian yeast phenols blend in nicely in the background for a super dry finish.
- Misnomer : Hop Dust, Coconut Tropical Extract, Superfruit, Cornucopia, Soft. Collaboration with Alefarm.
- Point Of Divergence - Barrel-Aged : Point of Divergence is a 10.5% Imperial Stout that exemplifies our goal to diverge from the norm. It was fermented entirely with Italian Red Wine Yeast and aged for almost a year in bourbon, red wine, and white wine barrels. The barrels were blended together to create an immensely complex and unique Imperial Stout.
- Clown Question : Vic Secret and Citra hops. Fruity, juicy, and silky smooth.
- Queen's Red Ale : A deep reddish color, light hop character red ale leaving a light to medium bitterness. It is a balanced beer; medium bodied, moderate mouthfeel, well blended malty-ness with a light fruitiness.
- Scratch Beer 1 - 2007 (California Common) : A hybrid beer (California Common Beer), will be released on or about April 26. This is a beer we brewed on the back patio on more than one occasion. It became the inspiration for Tröegs Pale Ale. The simplest explanation of what makes a hybrid beer unique is the brewer is forcing a lager to do something it doesn’t want to do. Scratch 1 uses lager yeast fermented at a warmer temperature. The fermented malt gives an exaggerated fruity undertone to the beer which combines nicely with the citrus flavors of Cascade hops. Balancing out the taste are spicy, earthy flavors derived from Brewer’s Gold hops. Slightly aggressive hops in the front of the mouth give way to a clean, subtle grape-like finish.
- Wunderkammer : Blend of barrel-aged ale and fresh dark honey beer refermented with cherry juice.
- Aquarius : Aquarius is a Saison and is crafted with Pilsner Malt & Spelt Malt, Munich Malt, Flaked Oats, and Acidulated Malt. Spelt, the rustic cousin of wheat and a favorite of many Belgian brewers, adds a slight nuttiness while El Dorado and Huell Melon hops lend bright fruit aromatics.
- Steal Your Face Stout : A rich, malty, and complex Imperial Stout worthy of moderate aging. Flavors of dark chocolate, coffee, dried fruit, and sweet alcohol come together to provide the perfect sipper.
- Wind in the Willows : Fermented in barrels with our wild yeast, Wind In The Willows brings together farmhouse funk with the tangy sweetness of apricots. This tart Rye Saison is bright and complex with notes of fresh apricot jam.
- Forty Winks Wine Barrel-Aged : Fernson RIS aged in wine barrels from Napa California. Dark Chocolate, Coffee, and nice wine-like acidity. So silky. So smooth. 
- Super Typhoon : Super Typhoon is a rendition of Hurricane that features amplified additions of Simcoe and Citra in both the kettle and the dry hop. Additionally, process modifications make for a fuller bodied base beer capable of absorbing the additional hop charges without becoming abrasive or astringent. The result is perhaps our favorite amalgamation of hops in our short history. We taste heavy notes of tropical fruit and passion fruit from the Simcoe blending seamlessly with orange sherbet notes from the Citra. An airy mouthfeel and a creamy body makes for a beer that never becomes burdensome to drink, and gets better as you move through the glass. We are excited to share it with you.
- Curio Fruited With Bosc & Bartlett Pear : Curio is tart, yet refreshing. Hints of grapefruit and citrus pith. Quenchingly delicious. We then added back some sweetness with a blend of Bosc and Bartlett pears to really taste summer in this beautiful balance between tart and sweet. 
- Morbid Curiosity : Barrel Aged Dark Sour--a blend of Imperial Stout aged in an ex-Port/ex-Bourbon barrel, and mixed fermentation Belgian Dubbel aged in red wine barrels. 
- Dry Irish Stout : A semi-light bodied Stout with a dry bitterness and complex notes of roasted coffee.
- Teddy Roosevelt American Badass : Brilliant gold topped with a mountainous white foam head. This Imperial Wheat IPA is smooth-bodied with hop characteristics of pine and stone fruits. Oak-aging lends a vanilla or almond-like flavor and aroma and smoothes out the beer’s bitterness and warmth.
- Hawkbill : A blade for many a pocket, this IPA displays malt in its most elemental form: Pilsner, Oats, and locally grown and malted rye. Mosaic, El Dorado, and Galaxy hops present a sharp, citrus punch while the addition of Simcoe to the dry hop adds a final piney complexity to this easy sipping, hazy IPA.
- Barrel #7 : Brewed with wheat and pilsner malt, fermented with lacto and brett in an oak puncheon, and aged in a wine barrel with a mix of stone fruits and brett. Refermented in the bottle.
- Sea Monster Imperial Stout : Our Sea Monster Imperial Stout explores the darkest reaches of the traditional oatmeal stout. This bold, rich brew first lures you in with roasted coffee notes, then grabs hold with hints of bittersweet chocolate and currant. Backed with a perfect hop balance, you’ll soon discover this is one monster of mythic proportions.
- Hoppy Saison : This Saison pours a light golden color and has been dry hopped with a blend of aromatic hops. It is full of fruity esters with notes of tropical fruit, spice and clove. A delicate mouthfeel and dry finish makes this beer ever so pleasing on the palate.
- Estranged : A belgian-style dark strong ale with a complex & layered malt bill and a ruby red color. Expect notes of plum, dates, raisins, cherry and a hint of chocolate. This one may leave you feeling a sense of estrangement from all others things. Or maybe just feeling a little bit "strange".
- Can't Hop Won't Hop : Unhopped New England IPA with tropical fruit puree, spruce tips, citrus peel, and spices.
- Conundrum Bière De Garde : A darker, richer version of saison, this bière de garde features hints of the typical, fruity, spicy Belgian yeast with complex malt notes and a noticeable warmth from the high alcohol content.
- Door Kriek (Funk Factory Geuzeria Collaboration) : Door Kriek is a blend of lambic style beer that was aged in used french oak wine barrels for 18-24 months. It was then re-fermented with two pounds per gallon of tart cherries for three months. We are proud to be using 100% tart cherries grown by a small family farm operating in Door County, WI, an area long-famous for their superb cherry crops. Expect this Kriek to be tart yet balanced, complex yet delicate, and bursting with that pie-cherry flavor we love! 
- Voyager : Voyager is a showcase for the dark fruit notes and spicy characteristics of our Belgian yeast. Pair this traditional Belgian-Style Dubbel with pork sausage, dark chocolate, or a cozy blanket. This beer flavored beer drinks great from the can, and even better from a glass.
- Nightswim : Dark and luxurious like a midnight dip in the warm gulf waters off St. Pete Beach. Rich and Roasty with a hint of chocolate. Both this porter, and a night swim, are best enjoyed with a friend.
- Crowd Control : Crowd Control is a dry-hopped Imperial IPA showcasing Mosaic hops. A solid malt backbone accompanied with a fruity and sticky hop overlay contain one another for a great balance of aroma and flavor. Drink fresh and don't resist.
- Watermelon Gose : A refreshing tart and fruity wheat ale with a salt character.
- Mixed Media : The closest an ale can legally be to wine! With 51% of the fermentable sugars coming from grain and 49% coming from grapes, Mixed Media is a complex saison-esque ale brewed with a distinct Belgian yeast strain. Using a late-harvest Viognier grape must from our friends at Alexandria Nicole Cellars in Washington, you'll find notes of white grape and melon in the aroma, and greeted with a spicy white wine body in every sip. As our newest spin in the beer-wine world, Mixed Media appeals to both the Pinot Gris and beer drinker alike with a crisp, dry and tart ale that will leave you 'puckering' for more.
- Outlaw Milk Stout : Outlaws and gentle folk alike are captivated by this dark beer. It marries the deep coffee-like flavors of roasted barley with a silky texture contributed by rolled oats. 2008 World Beer Cup Silver Medal Winner and 2011 Bronze Medal Great American Beer Festival, sweet stout.
- Ha-Z-Boy : Pull the lever, and lean back, waaay back... it's time to get lazy with Ha-Z-Boy, Recliner style IPA! We copiously hopped this hazy juice with tropical El Dorado and comfy Cashmere hops evoking bright peach and apricot with notes of orange and tangerine, and a hint of that red tropical fruit punch in a juice box you drank as a kid. Golden Promise malt, rolled wheat, and two types of oats sets the dial to smooth. The opposite of bitter, this beer goes down way too easy.
- Tony Gwynn Jr's IPA : Brewed with Tony Gwynn Jr, son of the baseball legend who helped us create .394 Pale Ale, this session IPA is extremely drinkable, yet an intensely flavorful, with pungent notes of citrus, tropical fruit, melon, and berry, all balanced by light caramel flavors and a smooth bitterness.
- In-Tents IPL : Our flagship India Pale Lager showcases a copper color that gives way to a crisp, clean lager beer perfectly balanced in its massive complexity. Dry-hopped and aged on an in-house toasted blend of white and red oaks. The IPL finishes clean and smooth, with hop aromas of wild flowers and pine, and a unique maltiness highlighted by the subtle oak character.
- Blueberry Super Soak : Super Soak: our Soak series amped up with a bigger malt bill, increased ABV, and twice the amount of fruit as Soak. While still sour, the higher ABV in Super Soak serves to moderate the lactic acid formation.
- Barrel Aged Jaw-Jacker : Just to be clear, this beer was brewed the hard way. This rogue batch of Jaw-Jacker snuck into some 2nd use bourbon barrels, and emerged a different pumpkin. We blended in bourbon-barrel aged barleywine and piled on fresh peaches and apricots. Expect a rich malty body with a hint of pumpkin pie spice, and a tart, peach and apricot fruity finish. In the end, this barrel-aged spiced fruit ale turned into a cozy, autumn inspired beer cocktail. Much like Michigan’s fall, we aren’t sure how long it will last – so enjoy it while you can.
- Fortunella : Fortunella is the contested scientific taxonomy of the delicious Kumquat fruit, and the beer before you is a tribute to it’s tart, juicy and beguiling flavors. Our brewers have crafted a Belgian-style Witbier with both oats and wheat. While many beers in this style are made with Orange peel, we’ve substituted in whole Kumquats instead and fermented the beer entirely on the fruit. The resultant beer is lightly tart, shows a huge aroma of fresh citrus, and has a dry and spicy finish.
- Lil' Reida : Lil' Reida is more aggressively hopped and lighter bodied than Lovely Reida. No Centennial hops this time, instead we used Mosaic, Cascade, Simcoe and Citra. Peach, piney, fruity and tropical notes hit your nose with a little sweetness on the tongue but a dry finish. Why is it Lil'? Because its only 8.3%
- Witch's Wit : Convicted of a dark art, the crowd will gather to watch as they raze your earthen existence. An intolerable pain is the cross you’ll bear that day as you are removed from this righteous world. No one will summon the courage to save you in fear of their life. It sucks. But such is the life of a witch. In honor of your fleeting existence, we brewed Witch’s Wit. A light and refreshing wheat beer, it’s exactly the sort of thing you might expect to find being passed around the center of town on witch burning day. Say hello to the Prince of Darkness for us.
- Abracadabra : Dark wild ale aged in Sherry barrels.
- A Beer Named Sue : Chef Collaboration Series: Brewed with Chris Pandel from The Bristol. A dark yet deceptively light bodied IPA brewed with Debittered Black malt.
- Dark Pines : Dark Pines is our special collaboration beer with @blackaleproject.
- Sorach : Farmhouse Ale - A strong, citrusy spin on a classic Belgian farmhouse ale. Aroma hopping with Sorachi Ace gives this beer a nice lemony aroma and flavor that compliments the dry body and subtle tropical fruit notes produced by the yeast. 7.8% abv - 28 IBUs
- Anchor IPA : Anchor IPA™ is made with 2-row barley malt and fresh whole-cone hops, its bright amber color, distinctively complex aroma, spiky bitterness, malty depth, and clean finish unite to create a uniquely flavorful, memorable, and timeless craft IPA.
- Tart Peach Kölsch : Our Tart Peach Kölsch is a fresh take on one of our very first beers. The juicy aroma and flavor of ripe peach complements the subtle fruitiness from the Kölsch yeast in this bright, refreshing ale. Add a tickle of tartness to round out the senses, and you get a new brew that’s interestingly delightful.
- Rye Porter : High quality pale, caramel, chocolate and Munich malts get a boost with roasted and chocolate rye. Dark and Light Belgian Candy Sugar is added to the kettle during the boil for smoothness and flavor. Belgian yeast gives off some fruity esters and the brew is delicately hopped so as to not overpower the malt flavors.
- Hogwaller Scramble : For years, the Hogwaller Scramber was well-known in Belmont as our beloved Hogg truck ran kegs to our Tap Room. The Hogg lives on in our memories, and we brewed this complex breakfast stout with coffee and chocolate from Gearhart's Fine Chocolates in tribute.
- Solemn Oath / Gigantic Chinfinger : Collaboration with Gigantic Brewing Co. Chestnut in color with a complex malt profile featuring caramel, toffee and raisin. American variety hops provide an orange citrus balance while Belgian yeast adds notes of dark fruit and spice.
- Ibex Series: Imperial Coffee Stout : A rich and complex stout with responsibly sourced French roasted beans, aged in bourbon barrels, yielding a warming aroma and velvety mouthfeel.
- Turbodog : Turbodog is a dark brown ale brewed with Willamette hops and a combination of pale, crystal and chocolate malts. This combination gives Turbodog its rich body and color and a sweet chocolate toffee-like flavor. Turbodog began as a specialty ale but has gained a huge loyal following and has become one of our flagship brews.
- Purple Haze : Experience the magic of Purple Haze.® Clouds of real raspberries swirl in this tart and tantalizing lager inspired by the good spirits and dark mysteries of New Orleans. Brewed with pilsner and wheat malts along with Vanguard hops, let the scent of berries in the hazy purple brew put a spell on you.
- Dubbel Ale : Allagash Dubbel boasts a deep red color and a complex malty taste. The finish is dry with subtle hints of chocolate and nuts. The yeast asserts itself by lending a classic Belgian fruitiness.
- Wachusett Black Shack Porter : Chocolate, coffee, and oatmeal flake undertones give this porter its delicious flavor. Its dark complextion and bitter hops give it character.
- Eau Benite : First brewed in 1996, Eau Benite "Oh-Bey-Knit" (Holy Water) was developed to offer the characteristics of a bottle refermented triple with a slightly lower alcohol content. This is a refreshing pale golden ale with a slightly fruity nose and a pleasant character.
- You Mango Me Crazy : A light-hearted refreshing fruity wheat ale brewed with mango. Burst of mango up front on the nose with a bit of banana and clove in the background from the hefeweizen yeast. Juicy mango flavor all the way through to the very last drop.
- MPA (Monty's Pale Ale) : Monty's MPA is dry and lightly hopped Pale Ale with a grapefruit aroma and a hint of lychee.
- Apricot Provincial : At 4.2% ABV our Provincial is our sessionable Belgian-Style sour ale brewed utilizing a unique 24-hour warm souring technique using lactobacillus in the wort. We fermented with a Belgian wheat yeast strain famous for fruity flavors and a dry finish, making it the perfect complement to fruit. This delightfully tart fruit beer is refreshing, with a citrusy apricot aroma that transitions into a subtlety sweet and tart finish.
- Cali Cöast : Coast is the taste of California. It's a brew for the bracing waves of NorCal or the sunny summers of SoCal. Mt. Shasta-grown malt adds body, while Noble and Crystal hops give it a bright, crisp, refreshing finish. Like the Golden State, this sessionable Kolsch is laid-back but complex. It's going from slopes to shore in just a few hours. Drink what you love about Cali.
- Dog's Bollocks : Dog’s Bollocks is an English Style Ale, not unlike a classic Barleywine. To make this beer even more complex and flavorful, 25% of the beer has been aged in oak barrels that were originally used to age Bourbon. The base beer is rich and malty. It has a distinct caramel and biscuity flavors, and is balanced nicely with a nice dose of English hops. From there the barrel aging process helps smooth the beer out by adding vanilla, spice, oak, and bourbon notes to the beer. This beer is the “Dog’s Bollocks.”
- (512) Black IPA : An entirely new creation from organic 2-row, organic Crystal 60 and Carafa III, a huskless black malt that gives this beer it’s black color with notes of coffee and chicory without any tannic bitterness. The hop additions are many and generous, featuring Apollo, Horizon, and Nugget, clocking the beer in at 70 IBU. Over 11 pounds per batch of Nugget hops are added directly to the fermenter yielding a resiny herbal and spicy aroma. A hybrid style for dark beer fans who love hops.
- BOFT Golden : Crisp, delicately balanced with a subtle fruit and hop character.
- Present Moment : A new American Pale Ale brewed with buckets (literally) of Southern Hemisphere hops. Moment pours a gorgeous hazy yellow in the glass and gives off aromas of juicy fruit gum, pineapple, and passionfruit. The flavors follows suit with a big punch of young pineapple, grapefruit, and orange rind. We even get a bit of cantaloupe. A vibrant beer from the can, or poured into your favorite tulip… Subsist in the moment!
- Sugar Shack Ale : Brewed only in March with locally produced maple syrup, this ale has a bouquet of rich fruity aromas and maple. Its thick, sweet body is perfectly complemented by a moderately-hopped finish. The careful carbonation results in a light lofty mouth feel.
- Grumpy Bureaucrats : Roasty, burnt toast and caramel notes. Mild fruity hop character and a dry, bitter finish.
- Scratch Beer 120 - 2013 (IPA) : Since the inception of our Scratch Beer series, some of the most popular releases have been IPAs. Easily one of the most popular beer styles among craft beer drinkers, the IPA (India Pale Ale) justifiably has become the quintessential beer style of the American craft beer movement. This latest Scratch IPA is bursting with zesty citrus and tropical fruits flavors. At only 44 IBUs, you can relish in the bold hop flavors without completely destroying your palate. To further enhance its citrusy aroma, we dry-hopped this IPA with Centennial hops. The use of lighter malt varieties lends a hint of balancing sweetness, while the addition of rye adds a touch of tingly spiciness in the finish. Here at Tröegs, we love IPAs! You keep drinking them, and we’ll keep making them!
- [BANISHED] Freakcake #1 - Barrel-aged Oud Bruin Ale : Brewed to the Oud Bruin style with orange and lemon zest, then aged in Makers Mark barrels where the brewers added classic holiday fruits such as cranberries, figs, dates and raisins. Paying homage to the fruitcakes granny used to make with the only difference being, you won't want to re-gift this one!
- Bomarzo : Peach Berliner Weisse brewed with malted wheat. Fermented in our upright open-top oak fermenters, then conditioned in stainless steel for many moons on top of copious amounts of house processed peaches from our good friend Ben Wenk of Three Springs Fruit farm. 10% of all proceeds will go to the Broad Street Hospitality Cooperative who offer medical and legal services, psychiatric and behavioral health services, dental care, HIV testing and free, nutritious meals to Philadelphia's most vulnerable citizens.
- Upside Brown : What can “brown” do for you? Our latest Brewmaster’s Obsession Series ale turns your world upside down. The use of wild Brettanomyces yeast makes the beer more complex – yet magically more drinkable at the same time. The challenge to tame wild yeast is an obsession that drives our brewers, and fuels a passion for making great beer.
- West Coast Farmhouse Saison : Funky-Franco-Belgian yeast flavours meet Pacific Northwest hops. 36 IBU. Think pepper, spice and fruit with a bold hop finish.
- Wanderlust : Wanderlust has a fresh aroma, reminiscent of peach and tropical fruit, and a juicy flavor highlighted by peach, mango and pine. The finish is crisp, dry, with a hint of sweet cereal grains, making it the perfect beer with which to celebrate the arrival of warmer weather.
- Coedo Shikkoku : Shikkoku is a Japanese word that evokes the jet-black color of onyx, perfect for this enchantingly dark, slow-aged brew marked by an elegant, mellow flavor profile. Enigmatic shadows contrast sharply with the brightness of its fine, tea-colored head, while the fragrance of aromatic hops delights the nose. Two types of black malt join six other malt varieties for a black lager that is smooth, light, and balanced—never cloying. Japan proudly offers this dark jewel to stand among the best dark beers in the world.
- A Tribe Called Zest : A Tribe Called Zest is an Experimental American Double IPA with lemon, Seville orange, grapefruit, lime, and tangerine zest. Slightly hazy and burnt orange in color, A Tribe Called Zest pours with a fluffy white head. This beer smells and has flavors of citrus zest and dank, fruity hops. Balanced with a full malt backbone, A Tribe Called Zest has a medium body and a resinous mouth-feel.
- FunkObsius : Barrel-Aged Weizenstout - 5.9% - 15 IBU - Dark and roasty meets tart and funky! Our stout aged in oak barrels with house blend of wild yeasts. *Debuting at Festival!*
- Maltitude Russian Imperial Stout : A big Russian Imperial Stout married with fresh locally roasted espresso beans, peated malt and demerara sugar. Dark and velvety with hints of spice, fruit, smoke, chocolate, raisins, roasted malts and espresso in the finish. Full bodied with a smooth warming finish. Think globally - drink locally!
- Double Shot - Gracenote Kenya Irati : We are very excited to partner with our friends from Gracenote Coffee Roasters for this special rendition of Double Shot! The Kenya Irati beans were selected after an exhaustive cupping and blending session, resulting in a well integrated and bright rendition of our favorite coffee beer. We experience flavors and aromas of dark chocolate, chocolate covered espresso beans, a caramel / brown sugar note, and cardamom-like spice. The mouthfeel here is robust and syrupy, with soft velvety carbonation - a true standout on this batch! It is, in our opinion, the result of what is possible with the careful selection of ingredients and the spirit of true collaboration. We are so excited to share it with you!
- Electric City IPA : An American Style IPA with a complex variety of hops, and enough body to back them up.
- Brandy Slumber : Brandy barrel aged Perpetual Slumber Belgian Dark Strong Ale.
- Cognac Barrel Noir : This very limited release is our love letter to barrel aging. We started with a huge imperial stout brewed with a selection of our favorite dark-roasted malts. Then we aged the beer for over a year in Rémy Martin Cognac puncheons—double sized oak barrels—where the beer breathed in the rich oak, vanilla and Cognac aromatics of the barrels, resulting in this contemplative black ale, overflowing with bold coffee, chocolate and brandy flavors.
- Mabel's Brew : Named in honor of Chad & Colleen Kuehl's first baby. This IPA was brewed with wheat and oats and hopped heavily with Citra, El Dorado, and Mosaic. Fermented with an East Coast Strain and Bruxellinis Trois, the beer has a smooth, creamy mouthfeel balanced by the bright tropical fruit and citrus flavors of the hop profile.
- Medusa : This DIPA is a hazy golden color packed with hops, featuring flavors of mango, tropical fruit, grapefruit, and sweet fruit, balanced by bright citrus. 8.4% and oh so fresh!
- Gringo Honeymoon : Passionfruit and hibiscus lager.
- White : Our interpretation of a traditional Belgian wheat beer. Brewed with a generous portion of wheat and spiced with coriander and Curacao orange peel, this beer is fruity, refreshing and slightly cloudy in appearance.
- Anchor Porter : With deep black color, a thick, creamy head, rich chocolate, toffee and coffee flavors, and full-bodied smoothness, Anchor Porter® is the epitome of a handcrafted dark beer.
- Redhook Nut Brown : Ah, Spring…the season that keeps us guessing. Will it rain, or will the sun be out? Do I take advantage of the last days of skiing, or the first days of hiking? Do I put on jeans, or dare break out the shorts? The season comes with enough uncertainty, so Redhook gives you something you can always count on…our Nut Brown Ale. This medium dark beer is layered with rich malty aromas and flavors of chocolate, caramel, brown sugar, and a hint of vanilla. Although it may be dark in color, it’s refreshingly smooth and highly sessionable. Nut Brown is the perfect beer for spring.
- Spring Batch : Inspired by the saisons of yesteryear, our unfiltered Spring Batch embodies the season of rebirth. With a deep golden hue and medium body, this Farmhouse Ale is born of love and balances earthy, floral and slight yeast flavors. Add a touch of fruity hop for a bright, dry finish, and you'll feel renewed with every taste.
- Gordon Biersch FestBier : Gordon Biersch FestBier celebrates fall and the flavor profile of beers served at the modern-day Oktoberfest. FestBier emphasizes rich, malty undertones with a moderately hoppy finish. The maltiness is created via a combination of dark-roasted, Munich-style malt and Pilsner malt. The hoppy aroma is achieved via the imported Hallertau aroma hops.
- Flash Flood ESB : "Our Extra Special Bitter is full of rich, complex flavors and is nicely balanced with a generous amount of Kent Golding hops. The Flash Flood name was our brewer's inspiration--it was August, a huge thunderstorm blew through town, caused areas of localized flash flooding, but our brewer didn't wait it out... oh no, there were thirsty patrons anticipating the introduction of a new brew that day! Then, as his trusty old Ford pickup plowed through the torrent of water running across the road, the as of yet unnamed keg in the back of his pickup would from then on be "Flash Flood E.S.B." The alcohol content is 4.8%."
- Collaboration No. 5 - Tropical Pale Ale : Combining CCB’s expertise with tropical fruit flavors and Boulevard’s love of pale ales, Collaboration No. 5 – Tropical Pale Ale begins with a base of soft pilsner malt layered with Maris Otter, Munich and caramel malts. Huge late hopping with a blend of Mosaic, Citra, Lemondrop and Azacca lends bright flavors of mango, pear, blueberry and citrus to a pale ale featuring slightly toasted biscuit and caramel/toffee notes. Infused with freshly sliced grapefruit at the conclusion of the boil, our tropical pale ale is briefly aged on passion fruit and grapefruit at the end of fermentation resulting in a refreshing acidity and tropical fruit flavor and aroma. At 7.3 ABV and 55 IBUs, Collaboration No. 5 – Tropical Pale Ale finishes slightly tart with bright citrus character from dry-hopping with Lemondrop, Azacca and Pacific Jade hops.
- Sea Buckthorn Fandango : Sea Buckthorn Fandango is a bright, oak aged saison with Sea Buckthorn juice added. A light cereal base with mild sweet corn notes make up the body with fruit characteristics of sea buckthorn, pear, and persimmon. Classic Jolly Pumpkin funk with mild acidity.
- Queen Of Tarts : A dark sour ale with lightly roasted malts, dark fruit flavors, and a tart finish. Aged in American Oak barrels with Michigan tart cherries. Took home a gold medal at the 2016 Great American Beer Festival."
- Bourbon Barrel Aged Hunter : Nestled inside a bourbon barrel until just the right moment, we will unleash our 11% Double Milk Stout into the world with cocoa nibs, lactose sugar, dark malts and oaky wood flavor that won’t soon be forgotten.
- Dunnerwetter : An old German/Dutch quote. The Dunnerwetter is an India Pale Ale that offers notes of fruit and pine. Simcoe hops create a smooth, clean bitterness that every IPA drinker loves. Named by contest winner Kris Gantert, “Dunnerwetter” means thunderstorm in Pennsylvania Dutch.
- Kara-Belle Blonde : Our Kara-Belle Blonde ale is lightly balanced with Magnum for a touch of citrus. It has a golden blonde color with subtle fruitiness and slight bitterness. Perfect for an all day drink-ability.
- Gigantic / Against the Grain Finga Lickn’ Good : Finga Lickn’ Good started with a “Kentucky Common” – a bourbon inspired mash that contained rye and corn, and also a heaping helping of Belgian Special B crystal malt for added radiance. We then kettle soured the beast. To Oregonian-ize the beer we aged in Oregon pinot barrels. The finished beer is simultaneously tart yet rich, with deep pinot fruit notes, oak and beautiful caramelized sugars. 6.5% ABV
- Hornswoggler : Another beer from our fierce monster series including Whangdoodle and Vermicious Knid, Hornswoggler is a huge foeder aged stock ale with fruity, cherry like esters and a slight malty sweet finish. Any additional questions about this one *must* be submitted in writing.
- Anduril : Anduril is a dry-hopped American Sour Ale. This beer is bright gold in color and has a bright, IPA like aroma with noticeable grapefruit scents. At first taste, this American Sour Ale is sharp, tart, and accompanied by flavors of hoppy citrus. Anduril is light-bodied with a balanced bitter flavor. The finish is clean and dry.
- Nino’s Prickly Pears : Pours a deep pink with a similarly tinged white head. A mild aroma of tart fruit leads to clear flavors of prickly pear and hints of watermelon. Light bodied and dry, the slight sweetness in this beer is balanced by a tart finish typical of the gose style.
- Roaming Bear Porter : Named because it will come and go as a seasonal favorite, Roaming Bear needs little introduction. It is loaded with roasted barley and complimented with a unique blend of malts giving it a rich, deep roasted flavor. We pound this dark beer with Magnum hops to give it a nice bitterness and finish it off with a little Willamette. At 5.5% ABV, it will keep you warm without putting you into hibernation.
- English Barleywine : Traditional brown, English-style Barleywine with intense, complex malt sweetness and a sherry-like quality. Full-bodied with balanced bitterness and a warm finish.
- Nickel Brook Immodest : To be immodest one has to lack humility and decency. With our ‘Immodest’ Imperial IPA, we achieved just that! Obscene use of Citra and Simcoe hops will attack your senses with bright citrus fruit, balanced with earthy pine notes. The indecency doesn’t stop there, as it packs a wallop at 9% but you won’t notice because it drinks so remarkable smooth. Don’t worry, you’re modesty isn’t needed here!
- Lunch Money : Hopped to oblivion with Mosaic and Simcoe, this double NEIPA was brewed with 2-row, malted oats, malted wheat, and flaked wheat to provide a thick, pillowy mouthfeel. Delightfully dank with heavy tropical and citrus fruit aromas.
- Flying Zacchinis : Dark Farmhouse Ale 100% Foeder fermented prior to being aged on wild yeast for 10 months in Apple Brandy barrels.
- Spellbound JtClockwork’s Bezoomny Horrorshow 10K Blend : Roughly translating to "Insanely Good", Bezoomny Horrorshow is an extremely limited blend of 40% Imperial Stout, 30% Barleywine aged in Dad’s Hat Rye Whiskey, 10% Bourbon Barrel Aged Imperial Stout, 10% Double IPA, 5% Dead Space Dark and 5% Dead Space Light. The entire blend is then aged together on Ecuador Single Source Cacao Nibs and Smoked Serrano Peppers. Made in celebration of JTClockwork’s 10,000th Rating on RateBeer on April 19, 2015.
- Amsterdam / Tooth And Nail Eastern Migration : An Old Ale collaboration with our good friend Matt Tweedy from Tooth and Nail Brewery in Ottawa. Blended with a portion of freshly made Olde Ale and one that has been aging over a year in Cab Merlot barrels. The blend highlights the deep fruit and developed malt character from the aged and fresh beer with a vinous finish.
- Saison : Refreshing, earthy farmhouse ale with fruity esters at the front of the palate and a mildly sour finish that is characteristic of a traditional Saison.
- Weize Guy Hefeweizen : A pale, spicy, fruity, refreshing wheat-based ale. This German style will feature banana and clove flavors from the yeast. It is served delightfully cloudy and is the ultimate thirst-quencher on hot days.
- Flora Blueberry/Black Currant/Raspberry/Cherry : We're pleased to release a new entry in our series of Flora variants with locally provided fruits: Flora aged on blueberries, black currants, raspberries and cherries. Flora is the wine barrel-aged version of Florence (1915-1967), our grandfather's sister as well as the name of our Farmstead® wheat ale. Only a few barrels were selected, and that beer was aged further on a blend of fresh, hand-picked berries from Greensboro, East Hardwick, and Elmore.
- Black Tail Porter : Slick, suave, smooth: Our Dark Malt Porter is a seducer, overflowing with dark instincts.
- Bock : A medium bodied, malty lager, balanced nicely with German hops. The color is a brilliant dark ruby.
- Brickhouse Brown : "Our autumn seasonal is an English style Nut Brown Ale. These beers tend to emphasize the malt flavors and have a lower than average alcohol content. Our version is crisp, with lots of caramel, nutty, and chocolate flavors. The finish is crisp, with just enough European Hops to balance the malt. The Brown is only about 4.4% alcohol by volume, so it is a smooth
- Paisley's Pajamas : Barrel Aged Belgian Inspired Dark Ale w/coffee & cayenne pepper
- Making Love @ Midnight : Berliner style Weiss aged on fruit and coconut - a piña colada Berliner.
- Juzek 13º : Juzek 13º is done in the style of Czech tmavé pivo, a dark lager. Unlike German dunkel, these beers are brewed within a broad profile and vary from brewery to brewery, with everything from color, sweetness, and roast level distinguishing one example from the next. Our take highlights the overall smoothness and strong, complex malt flavors found in most tmavé pivo. The finish remains soft but drier than a typical Czech version, making for a highly drinkable beer. Look for the Juzek 13º at Bailey's Taproom, where it will be the Hausbier for most of February and March.
- Untouchable IPA : Named after the legendary Bureau of Prohibition agent Eliot Ness, Untouchable is a no-holds-barred, ruthless Nelson IPA. Untouchable pours a vibrant copper, with aromas of fresh pine and caramel malt. With intense notes of grapefruit and perfectly crisp sauvignon blanc grapes, this IPA is mouthwateringly juicy with a clean, refreshing finish. Armed with a heavy dose of Nelson Sauvin & Centennial hops, this IPA is simply Untouchable.
- Schokolade Bock : Just in time for the holidays is our special treat. A dark and chewy bock beer. Around November you'll find 'chocolate bock' on tap down at the brewery.
- HopLab: Azacca Pale Ale : Hop Lab: Azacca Pale Ale is the latest addition to our HopLab series. This 5.2% pale ale uses Azacca hops in the kettle and is dry hopped with both Azacca and Galaxy. Azacca is a relatively new hop variety that brings flavors of pineapple, tropical fruits and some pine.
- Midnight Fluff : Midnight Fluff is our Imperial Marshmallow Stout... In the mash we added a blend of dark malts, brown sugar, and chocolate/cinnamon graham crackers. We hand-toasted 50 lbs of jumbo Stay Puft marshmallows and even smoked some marshmallows over apple wood chips out back. At 10% abv, this Imperial Stout will take you back to the campground with a great buzz and some melted Smores!
- Bitter Creek Red Desert Ale : A red colored ale that contains a complex malt bill. Pale malts give it a heavy body while crystal malts from the lands abroad give it color and sweetness. This ale has been dry hopped to enhance its floral aroma.
- Emmy's Belgian Blonde : Belgian abbey meets North Carolina. Inspired by cornbread, the flaked maize, maple syrup, and smoked malt of this beer complement its Belgian abbey yeast, making this Belgian Blonde more complex than it may seem.
- Clocktower IPA : This classic English style beer has a rich caramel color. It has a more complex bitterness than that of the other beers; however it does remain soft and flavorful. Our blend of four hops comes through as grapefruit or citrus notes in the flavour.
- In Amber Clad : Belgian-style Amber packed w/ tropical fruit-like flavors and spice from Belgian yeast.
- Passion For Blood : Inoculum's Berliner inoculated with Blood oranges and Passion fruit. Blood Oranges add Citric Acid Complexity to the already present Lactic acid and Passion fruit adds aroma and sweetness. 
- Curiosity Forty Five : Curiosity Forty Five utilizes a simple malt bill and some of our favorite hop varieties as the base for a number of process innovations that lend to a beer that has a uniquely velvety texture and rich hop saturation. It is heavy with citrus character, with threads of papaya, guava, honeydew melon, cantaloupe, and stone fruit. The finish is quite soft and features a texture unique to Tree House. It’s a beer that makes us yearn for warmer weather and the feeling of a late afternoon sunset.
- Beer Camp Across The World: Dunkle Weisse : Bavaria's Ayinger are legends in the brewing industry, known for their love and perfection of classic German beer styles. Playing off their background, we came together to create this dark twist on the Bavarian-style wheat beer. This beer features layers of wheat malt flavor and was handled through traditional open fermenters to highlight Ayinger's famous Hefeweizen yeast character.
- Cascade Bourbonic Plague : "This blend of strong dark porters was aged in oak, wine and Bourbon barrels, then blended with a dark porter that had been brewed with vanilla beans and cinnamon. The blend was then aged an additional 14 months on dates."
- Burgundy Barrel Aged Scotch Silly : This is a special release from Brasserie de Silly, a one-time offering of the brewery’s famous Scotch Silly ale, aged in a particular type of barrel, the variety of which varies each year. In previous years they released Bourbon-, Bordeaux-, and Cognac-barrel-aged versions, but the 2016 version is aged in Burgundy barrels. It combines the rich, caramelly impact of its Scotch Silly base with fruity, vinous counterpoints from that residual barrel character.
- Cellar Society - VP4 : As soon as we emptied those delicious Brutaal barrels we knew we had to have something special ready for them. At the time we were pursuing the creation of a darker, more assertively bitter saison with an array of specialty malts including Munich, Vienna, Rye, and Chocolate. As hoped this new, tawny saison took on a palpable barrel funk, which, when blended with another cask of 100% oak fermented saison, springs to life with appealing tannins and leathery brett.
- Funky Red Patina Red Ale : The name is a nod to the hip hop we grew up on and our brewer's former life as a metal shop. This ale is well balanced, rich and malty with a dark auburn color and an airy toffee finish.
- Smoke Screens & Oil Slicks : Smoke Screens and Oil Slicks is a full bodied imperial stout with rich chocolate/coffee character, dark fruit and some light smoke.
- Lowcountry Dark Ale : What’s in a name? In the beer world, a lot, apparently. As highly-hopped, darker ales became all the rage over the last few years, the fight over what to call the style got fierce, and at times, ridiculous. Are they Black IPAs? Cascadian Dark Ales? American Black Ales? Who cares, good beer is good beer. As fans of the style, tiring of the battle over semantics, we brewed Lowcountry Dark Ale. It’s a hoppy, dark ale, brewed in the Lowcountry. ‘Nuff said.
- Amra Mango IPA : ‘Amra’, which is Sanskrit for Mango, intertwines fruity hop characters of a west coast-style IPA with the fruitiness of juicy juicy mangos, resulting in an elaborate and psychedelic tapestry of flavors that were absolutely destined for each other in this beer. Cheers!
- Christian Moerlein Handlebar Double Stout : Strength. Distinction. Ingenuity. Pride. These are words that describe the innovative Machine Age of our nation's history. They describe the men and women who made today possible; but perhaps most importantly, they describe Christian Moerlein Handlebar Double Stout, a strong and distinct stout that boasts an ingenious blend of dark roasted malts and a balancing blend of hops. Handlebar is a celebration of these four things. You are about to become part of what made today possible: Be Strong. Be Distinct. Be Ingenious. Be Proud.
- Boosted IPA : Golden straw topped with a thick white head. Notes of pine, mango, and grapefruit with a supporting cast of tropical fruit and barley. Brewed and dry-hopped with Simcoe, Mosaic, Ella and Columbus hops, situated on a bd of Pilsen, Vienna, malted wheat and flaked barley. Soft and drinkable, it is the first in the series of exploratory IPA’s.
- Arcadia B-Craft Black IPA : Massive in every way, B-Craft delivers a complex bundle of flavors with citrus-hop aroma. Moving beyond the massive hop aroma, rich roasted malt flavors of coffee and chocolate move forward only to be checked by an impressive hop bitterness. Texture and flavor dance together so seamlessly that you may need to remind yourself that, while it drinks like a session, it delivers like an assassin.
- Corne De Brume : La Corne de Brume est une Scotch ale à 9,0% d’alcool. D’un brun profond aux reflets de rubis, elle se coiffe d’une mousse aux aspects de moka. C’est en bouche que la Corne de Brume révèle toute sa profondeur. Un mur d’arômes caramélisés se dresse devant nous et nous enveloppe chaudement la langue. Cette danse caramélisée et lascive se lie avec une amertume sourde pour former une valse où se côtoient fruits sauvages et malt capiteux. Quelque temps après, l’amertume relâche son emprise sur nos papilles pour lentement nous ramener à la réalité. Bière à fort potentiel de vieillissement.
- Ultra Mosaika : Brimming with resin and mandarin, the Ultra Mosaika reveals Mosaic hops in all their aromatic complexity. The beer’s fruity aromas blend nicely with its herbaceous and sprucy notes.
- El Steinber Dark Lager : Midnight Wheat malt gives this complex lager its dark brown color while additions of roasted Indio-Hispano® blue corn create both a lighter body and unique, toasty flavor. German Pilsner malt and Saaz hops round out this dark lager producing a crisp, clean finish and smooth drinkability that is perfect for any occasion.
- Dark Side Schwarzbier : This dark German lager beer has a deep reddish-brown to black color with a mild roasted malt character without the bitterness commonly associated with other dark beers. It has a moderate body that enhances the malt flavor and aroma with low levels of sweetness. Hop character is low but perceptible with no fruity esters.
- Vanilla Bean Porter : Dark toasty porter conditioned on Madagascar vanilla beans for 3 weeks.
- No Middle Ground (2014) : Counter Culture Coffee and All About Beer Magazine have collaborated with Sierra Nevada Brewing Co. to create “No Middle Ground,” a limited-edition IPA made with cold-brewed coffee. The beer features washed Haru from Ethiopia and an experimental hop known as “291,” giving the beer a bright, fruit-forward flavor profile. No Middle Ground will be available on tap during special tasting events at Counter Culture’s eight regional training centers.
- Citra Locals : Citra Locals is our light and very tasty lager, but with a fun new twist. Bursting with fresh grapefruit aromas, similar complimentary hop flavors are perceived within, but without any imparted bitterness. The light pilsen malt creates a soft and subtle flavor profile that finishes crisp and clean, once the initial hoppy perceptions subside.
- PM Porter : This award-winning dark ale is surprisingly smooth and drinkable. Caramel, molasses and chocolate flavors fill the palate. Its sweet start is perfectly balanced by a roasted dry finish. Nitrogen-conditioned. 
- Petite Saison : Saison is a traditional farmhouse beer style from Belgium and Northern France. Our rendition is light with a silky mouth feel that comes from flaked wheat. We use a French Saison yeast that creates complex fruit aromas. We then dry-hop the finished beer with New Zealand Equinox hops, a big passion fruit aroma hop.
- Tailgate Brown Ale : Tailgate Smoked Brown Ale is an American Style Brown Ale brewed with cherry wood smoked malt. Flavors of fruit, smoke, caramel and chocolate come through this beer. The beer offers nice hop flavor with smoke and chocolate aromas greet you with every sip. This beer is a session beer at 3.5% ABV, perfect for tailgating at your favorite football games.
- The Mutt Double IPA : The Mutt is crafted with a beautiful malty backbone to balance the alcohol and delicious hoppy bitterness. With 2.5 pounds of hops per barrel, this beer is powerfully hopped giving you tons of juicy fruit aroma. The Mutt clocks in 8.0% ABV.
- Purest Form : Purest Form (7.7% ABV – 35 IBU) is an oatmeal stout served on nitro. Dark black in color with a thick, nitrogen-induced head, this oatmeal stout smells first of chocolate and oats, followed by just a hint of roast. Full-bodied and velvety smooth, this Purest Form has decadent flavors of chocolate and lightly roasted malt.
- Fundur Session IPA : Fundur pours gold color with an off-white head and lacing. Hop forward aroma of grapefruit /citrus, pine and dank hops. Flavor starts with hops that give way to a malt taste. Coupled with the light body and dry finish the beer is very drinkable as a session beer but still has the hop backbone to make it an IPA.
- Long Monday : Dark chocolate, malted milk balls, pine sap; malt leads and potent hops follow. Conditioned on Coffee Labs Doghouse blend coffee.
- Cave Haze NE Style IPA Ale : This is our newest and very popular New England style IPA. It is generously hopped with our special combination of hops to provide a big grapefruit and mango flavors. Also generously dry hopped to provide your nose with a big dose of hoppy goodness. It is unapologetically hazy and weighs in at 8% abv. If you are a hop head, watch for our releases of this beer. We don’t brew it often, but when we do, it sells out in one day.
- Kroovy : Loaded with West Coast hops, it could really be called a “Red Double IPA”. Citrus and tropical fruit aromas are the first thing you’ll notice about Kroovy, but don’t overlook the slight caramel maltiness, or the body provided from adding 10% malted rye to the beer. Kroovy will satisfy even the biggest hophead!
- Black Bavarian Style Lager : Bronze Medal Winner in the European Darks category at the 1988 Great American Beer Festival (GABF).
- Belgian Ale : Extremely drinkable, this ale is full of fruity aromas from the house yeast used in fermentation. Pilsner malt is combined with Czech Saaz hops to produce a beer with a fruity sweetness and spicy finish.
- I Will Not Be Afraid - Black Currant : I Will Not Be Afraid is brewed with an assortment of chocolate, roasted, and pale malts and carefully dosed with cacao and coffee. We taste intense syrupy dark chocolate, caramelized candy sugar, chocolate covered espresso beans, and a hint of cherry cola. The additional of black currant adds an additional layer of dark and mysterious flavor to the beer resembling plum and earthy, jammy dark fruits. It is luxurious and silky, like chocolate clouds, yet never relies on an overly saccharine complexion to bring out the intense and complex flavors we have worked so diligently to impart. We welcome you to enjoy it while you relax here at Tree House.
- Mixed Janker : Pours brilliant orange in color, with white foam that dissipates quickly. Aromas of raspberry, cherry and tangy citrus. Assertively tart, but not an enamel stripper, finishes with complex stone fruit and citrus flavors. Brewed with 100% pilsner malt, soured with Lactobacillus and fermented with American Ale yeast.
- Highlander : This complex dark beauty has all kinds of stuff happening. Malty with chocolate, coffee, and of course nuts (loads and loads of nuts). Balancing all that flavour with the perfect level of ever so lightly detectable sweet finish, give this beer a voluminously smooth mouth feel and drinkability.
- Anarchy Double IPA : Double IPA brewed and dry-hopped with Amarillo and Warrior hops. Huge pine and grapefruit rind. Rebel against unhoppy beers, rise up and drink Anarchy!!! Another double IPA brought to you by the letter A.
- Fruit Tart: Blackberry : Fruited sour farmhouse ale with blackberries
- Raincloud Robust Porter : Raincloud is the perfect “stay at home” brew. Dark, smooth, mysterious—this rich and flavorful porter is brewed with chocolate and crystal malts and a subtle blend of European hops. Raincloud is the ideal accompaniment for a lazy day of movie watching or reading.
- Ilkley Black : Extraordinary, medal-winning dark session beer. A blend of 5 malts give a smooth, mellow easy to drink beer with a hint of liquorice in the finish. There are berry fruits, sweet molasses and coffee on the nose. If you’re going to try one dark ale this year, it has to be this one! Available in cask and bottle all year round.
- Elston Grove Breakfast Stout : Named after Michigan City’s Historic Neighborhood, Elston Grove Breakfast Stout is comprised of Maris Otter, Munich, Flaked Oats, Crystal 120, Roasted Barley, Chocolate Malt & finished off with Target hops for bittering. With intense notes of coffee and dark chocolate, this stout finishes slightly sweet at 5.7% abv.
- Hop Fro : Deep golden with a lean malt presence that’s bright and refreshing, balanced by tropical hop flavors and aromas that are complimented by fresh citrus fruits.
- Barrel Aged Wild Belgian Ale : The start of our new Wilderness Series bottle releases, a collection of rare and wild aged beers that take on sour and tart flavors from their naturally occurring fermentation, they are each aged in a mix of barrels from vineyards and distilleries. This first release is a wild fermented Belgian strong ale with a mix of spices, giving it a refreshing tart fruit flavor like no other beer in our lineup to date.
- Nautilus : A traditional Belgian Saison made with coriander, bitter orange, and Hibiscus flowers. The finished beer has a complex floral aroma with a slight tartness from the Hibiscus flower and a refreshing light finish. Oh and it’s pink.
- Populist Porter : This dark beer style is a bit lighter than stouts (often much lighter, actually) but has a pleasant roasty flavor and a clean dry finish. The name porter is thought to originate from the rail porters who were so fond of the beverage in early England. This beer honors Kansas' position as a hotbed of the populist movement of the 1800s when farmers, tired of being screwed by the big eastern banks and big railroad monopolies, started raising "less corn and more hell!", up to and including an armed stand-off at the statehouse. This beer is a fine dark beer for the heat of the summer, lighter than stout but still quite flavorful. (O.G. - 14P/1056. Hops - 43 IBUs)
- Virginia Blackberry : A Belgian wheat beer brewed with a touch of rye and a massive addition (over 1,000 lbs. per 40-barrel batch) of plump, ripe blackberries grown by Agriberry in Hanover County, Hardywood Virginia Blackberry offers an assertive fruit character while remaining extremely refreshing. Ruby hued with the bright aroma of fresh bramble berries, this beer’s pleasantly gentle body leads to a rather dry, rounded fruit finish, making it irresistible on a hot summer day.
- Wolaver's All-American2 : "All-American2," like the first All-American Ale released earlier this year, is 100% certified organic, and brewed only with ingredients grown here in the USA. All-American2 incorporates Fuggles and Goldings hops with organic malts and the brewery's house yeast for a smooth English-style pub ale. The beer features a pleasant balance of pale and roasted malts and a subtle but distinct hop aroma. The flavor is complex with great depth of character. Available only on draft, or in growlers from the brewery tasting room.
- Juxtapose : A tart, fruity and funky farmhouse ale fermented entirely with Brettanomyces and hopped with a plethora of dank, citrusy hops .
- Evil Waves : Milk Stouthopped with Columbus and brewed with lactose sugar. Fluffy, roasty, dark chocolate and crushable.
- Nut Brown Ale : Chocolate color, honey and tobacco aromas, nutty flavor, medium body.
- Outer Layer : IPA with coffee fruit 6.5% ABV
- Sur Galaxy : Sour Mashed Black IPA. A rich roasted malt profile, smooth yet light bodied with a soured/tart finish. Balanced and finished with the citrusy and passion fruit like hop profile of this notorious Australian hop.
- Über Joe - Bourbon Barrel-Aged : On the surface, Über Joe lives up to its name sake: it’s a big coffee beer. But as with most things at 3 Sheeps, the story behind the beer is more complex. From the full-flavored roast we developed with Colectivo Coffee, to the vanilla we add post-fermentation, to our partnership with Black Swan Cooperage and their unique “honeycomb” cut barrel staves that produce a deeper barrel flavor than typical staves — everything in Über Joe is designed to highlight its massive coffee flavor. It may be more time consuming, sure, and more expensive, but the end result is worth it. It’s a chocolatey, vanilla stout with notes of sweet baked bread, bourbon, maple candy and all of the coffee flavor you can handle.
- Winter Wheat : Formerly American Dark Wheat
- Blood Orange Wheat : Blood Orange Wheat has all the laid back goodness of the original wheat lager, but it’s infused with blood orange for that extra special goodness. Subtly spicy, a little fruity, something to lean back on your bar stool and enjoy!
- Plum Puckered : Fruit Saison for Pittsburgh Craft Beer Week 2016. Collaboration with Rivertowne, Bloom Brew, Hop Farm, and Reclamation.
- Deacon Joseph : At HRB, we work to honor those that have come before us, and those who have had an impact on our lives in some way. Kevin's Grandfather was a Russian Orthodox Deacon, and in his honor, we offer this Russian Imperial Stout. This is a big complex beer, rich and nutty, with notes of dark chocolate, a big body, dynamic malt flavor, bold roastiness, caramel and coffee all work to bring this beer together. Drink in honor of those important to you!
- Kuppler : Our dark wheat beer is called “Kuppler” (operator). It is a top-fermented, refreshing beer and has a colour similar to amber. It has the typical taste of wheat beer and also a fruity note, and it is not very bitter.
- Weather 4: NEIPA : The forecast for this WEATHER beer calls for a heavy dose of hops in the form of a Northeast Style IPA. A blend of Chinook, Simcoe, Denali, and Ekuanot hops will provide a pleasant citrus burst complimented by tropical and fruity goodness! Sounds like Sunshine in a glass!
- Scratch Beer 20 - 2009 (Apollo Imperial Ale) : Scratch #20 has been dubbed Apollo Imperial Ale because of our experimentation with a new hop variety. Apollo hops are high alpha acid with an intense aroma. Married with other high alpha hops, with almost two pounds of hops added per barrel produced, AIA has an intense staying power in the back of the throat. After a long discussion between Chris, John and the brewers, they dubbed this hop flavor stinky grapefruit with a hint of perfume. The dark color might lead you to believe the some malt may shine through; but no, the hops are the true player in this ale. Scratch #20 serves a dual purpose since it will also appear as The Drafting Room’s Anniversary Ale for 2009. We brewed a bit more to serve the brewery and The Drafting Room, but get it while you can.
- African Queen Bee Hoppy : This is our famous Be Hoppy fermented with The Real Deal Honey from Shrewsbury, MA (and more added post fermentation). We also dry-hopped this beer with a new hop variety from South Africa named African Queen. Slightly acidic, vinous, candied lemon peel, herbal fruity hop character. Sweet honey upfront transitioning to a pleasantly dry bitter finish. 
- La Brune : Full bodied, round and mellow beer with coffee and dark chocolate flavors. The bitterness balances out the richness.
- 39 Red IPA : The name ’39 pays tribute to St. Cloud’s rich brewing tradition. Artfully blended Scottish and Belgian malts contribute to a slight roast/dark fruit canvas for broad sweeps of Pacific Northwest hops to provide this ale with a firm bitterness as well as citrus flavors and aromas.
- Sardonic Ale : Our Saison Cynic finished with Brettanomyces Claussenii. This version adds a layer of complexity and funk to the black pepper and apricot notes of Cynic, adding floral, mildly funky, and baled straw notes with a crisp, drier finish.
- Reverb VS Delay : This combination of brett fermented, lacto finished ale was further enhanced with a guava fruit infusion. Tart, sweet, funky, fruity and downright thirst quenching. It’s sure to reverberate on your palatte, if not your mind.
- Lips Of Faith - Kick : New Belgium and Elysian are together again with Kick, a rich and tart pumpkin cranberry ale blended with wood-aged beer for a uniquely complex harvest season sour.
- Imperial Stout : Back East’s Imperial Stout is a full-bodied ale brewed with several varieties of dark roasted malt. It has a complex malt character with underlying hints of coffee and chocolate. A generous amount of English hops gives this ale a pronounced hop profile. This robust ale is unfiltered and bottle conditioned.
- Brown Pow Nut Brown : English style brown ale that's nutty and biscuity with flavors of toffee and caramel.
- Gayle Force Pale Ale (Dupe) : English Pale Ale style beer. Similar to the bitter just a larger amount of the same malted barley is used. The hops we use in this beer are imported from England and added in generous amounts throughout the boil to create a complex hop profile. This slightly sweet beer finishes with a very refreshing hop presence.
- Espresso Bock : Our Espresso Bock was made with actual Espresso Beans & 5 Malt Varieties. It is a dark brown color with attractive garnet highlights. The bouquet is noticably coffee-like. The malty-sweet flavor is complimented by the roasty, chocolate notes of the espresso beans and balanced by a medium to full body. Try this delicious offering with our Chicory Stout Rib-eye, our sweet-n-spicy BBQ ribs, or one of our homemade pastries!
- Broken Heart Stout : A remarkably smooth dark beer that boasts roasted malt & coffee flavors accentuated by a hint of chocolate. Mt Hood & Fuggle Hops provide a dynamic bitterness to this beer that finishes dry.
- Oats In Hose : Made with over 200 pounds of oats, this beer is a fun interpretation of an oatmeal stout. We use a strategic combination of Munich, Caramalt and chocolate malts with light noble hops to balance this complex flavor profile. The copious addition of oats in this mash lends to a creamy and smooth mouthfeel. Keep and serve as cold as hail! 
- Parole Porter : Our porter is a bitter sweet experience. It is a dark ale with a smokey, chocolate flavor.
- Saison Athene : Saison Athene is a bottle conditioned Saison brewed with chamomile, fresh rosemary and black pepper. A dose of wild yeast at bottling adds to the complexity.
- Thirst Noel : A Dark Rich Malty Christmas Ale. Made using a combination of five malts and a blend of traditional and spicy hops. Also available in bottles.
- G5 Belgian Strong Ale in Rum Barrels : Fermented in rum barrels for 6 months. Sweet brown sugar nose with notes of vanilla and oak make this beer perfect for sipping with cheese. Consume at cellar temperature to enjoy the robust complexity.
- Winter Wookey : Our newest blended strong ale, Winter Wookey, comes just in time for the California winter this year. A blend of Wookey Jack and un-oaked Double DBA, Winter Wookey brings dark chocolate covered dried cherry, candied apple, orange zest and toffee flavors together in a complex, warming blend. Deceivingly drinkable for its size, Winter Wookey balances a big, malty body with a complementary spectrum of hop aroma and bitterness.
- 100 Barrel Series #21 - Weizenbock : Our Weizenbock is a celebration of flavor. This beer is brewed with fifty percent Wheat malt, which keeps it light on the palate, while the dark German barley malts round out the grain bill to create a full-flavored, creamy mouthfeel. 
- Nitro Jitterator : Jitterator is our winter specialty, Generator Doppelbock blended with Kenyan Mutungati coffee. The red fruit notes of the coffee pair perfectly with the subtle dark cherry character of the malt. Very limited, very caffeinated.
- Farm Stand RSA : Fresh from the brewery to your pint our Farmstand RSA pours light copper and packs a basket load of hop flavour with notes of grapefruit, citrus and stone fruit. The rye malt imparts a dry, slightly spicy flavour that creates the perfect stage for the hops to truly shine. A very sessionable, hoppy beer… get it while it’s in season!
- 4th Anniversary Triple IPA : Celebrating 4 years for Wicked Weed Brewing. This beer is brewed with 4 hops, 4 malts, and 4 tropical fruits.
- Newport Storm - Brent (Cyclone Series) : Our first attempt at a bock style and this dark lager was meant to be sweet and rich—many people commented it tastes like a piece of liquid candy! Huge percentages of the sweet chocolate malt coupled with almost 500 pounds of dextrose really gave this beer a unique twist that anyone with a sweet-tooth would die for! Named after our company’s president, Brent Ryan; it is must be nice to have your name on 27,000 labels…
- Yeah You Know Me : Yeah You Know Me is a massive 15% Imperial Stout brewed in collaboration with Kyle from Horus Aged Ales. Our goal was to make a thick, fudgey imperial stout. We started with a double mashed imperial stout base. Post fermentation we added the most insane coffee we could find. This single origin coffee from the Fazenda Santa Ines farm in Brazil had cocoa nibs and almonds added to it while roasting. As a result, the coffee imparted deep cocoa and nutty aromas into this beer.
- Winter White Stout : Steamworks Winter White Stout takes the rich typical stout flavours and body imparted from oats and barley, but without the dark coloured, roasted malts traditionally used in a stout. Instead, these roasted notes come from first aging the beer with whole espresso beans from East Vancouver’s Pallet Coffee, and then with whole cacao beans from East Van Roasters. The result is a deliciously unexpected brew that pours light gold with a thick white head, perfect for the West Coast Winter.
- Thirteen/164 : Imperial Stout aged on dark cherries in bourbon barrels for 6 months.
- Old Ale : Traditional English-style brown ale with a distinct malty sweetness and fruity aromas that deepen with age.
- Grandiose Verbage : This over-the-top immensely satisfying Imperial Fruit Bomb is hopped endlessly with Mosaic, Topaz, Simcoe and Simcoe angel dust in the kettle. We then verbosely dry hopped this beer three times with mountainous amounts of the most tenaciously viscous hops we could get our hands on. We used the finest crop of Mosaic, Ella, Simcoe and that good old Simcoe angle dust in these immense and ludicrous dry hops. The result is a beer dripping with notes of candied fruit, endangered rainforests and unicorn breathe. This beer is so insane you’ll need a thesaurus.
- Imperial Pumpkin Porter : Complex and rich, this beer brings the harvest season to mind, with flavors of toasted malts, chocolate, caramelized pumpkin, vanilla, and baking spices followed by a light bitter finish.
- Shallow Grave : Shallow Grave Porter is dark as night, perfect for a cool evening out in the woods. This is a big, dark ale with a complex and rich chocolate and caramel malt character followed by a touch of warmth and light malt sweetness, leaving you ready for more after each shovelful. You will love this so much you won’t have time to dig a six-footer, so make it a Shallow Grave.
- Brewer's Reserve Double Citra IPA : Brewed with floor malted Glen Eagle Maris Otter (the same malt in our Single Malt IPA) and 100% Citra hops. There is a wonderfully light malty sweetness from the Glen Eagle, but most of this beer’s flavor comes from the Citra hops, and we used a lot! Citra is a new hop variety that was released in 2007 and is known for its smooth bittering and intense flavor and aroma. Expect strong citrus notes of grapefruit, lemon and melon with a pronounced, but not over powering bitterness. With 111 IBU’s and 9.2% ABV it’s unprecedented how smooth this beer is!
- Festivity Ale : Every year we brew a brown ale to celebrate the holidays. To make each year’s special, we alter the recipe. This year we wrapped caramel and dark fruit malt flavors inside a creamy toasty brown ale. May your holidays be filled with Festivity.
- Brekeriet / Angry Chair Swedish Chef IPA : Blood grapefruit brett IPA. Collab with Angry Chair Brewing.
- Bruery Terreux / Jester King - Imperial Cabinet : Many things can happen when collaborating breweries come together. Like us and Jester King. We both share a deep affinity for sour and wild beers. But rather than rest on our laurels, we challenged ourselves to brew a beer reminiscent of a nearly forgotten, early 20th century cocktail, the Ramos gin fizz, employing our wildly traditional methods to do so. We began with some of the cocktail's signature ingredients - lemon, lime and orange citrus fruits, botanicals and sweeteners (sorry, no egg whites) - and then let our collaborative brewing process run wild. The result is laden with herbal and floral notes, bright lemon and lime zest, orange blossom honey, vanilla, warm oak and comforting spices. The Ramos gin fizz is a hard cocktail to find, and when you do, it takes 10 minutes to make. Our collaboration with Jester King will be similarly elusive; however, it took nearly a year in the making.
- Double Seesaw: Black Currant : The Seesaw Series is our gose playground. Designed to capture delight and fun in the form of an easy-drinking and flavorful beer. Each Seesaw has a unique fruit addition to pair with balanced tartness, a touch of salinity, and ABV on the lower side. The nostalgic thrill of warm-weather fun, reimagined in one of our favorite styles. The number of Seesaws dictates once, twice, or three times the fruit added.
- Greenwood Triple IPA: Chuck's Hop Shop 5th Anniversary Beer : A luscious, seriously drinkable, balanced Triple IPA with huge amounts of flavor and aroma hops and aged on oak for added complexity. Brewed with: Floor Malted Maris Otter, American Pale Ale Malt, Rye Malt and Crystal Malt, Columbus, Simcoe, Citra and Galaxy Hops.
- Wee : Kolsch dry hopped with Idaho 7. Tiny, beautiful notes of papaya and fruit.
- Strawberry Bieres De Garde : This French style farmhouse ale is fruity on the nose with strawberry, banana and light citrus followed by bright strawberry and sweet satisfying malts on the palate. Finishes crisp with a tangy, dry finish and lingering strawberry.
- Armand and a Leg : This is a blend of saisons that were in Chardonnay barrels and in our Foeder. The Brettanomyces lend some very light acidity, light barnyard funkiness, and some fruitiness.
- House Martell : Hopped exclusively with Citra, the tantalizing aromas of grapefruit and melon burst out of the glass. The ale that follows is light bodied, yet juicy and finishes clean; indicative of the house it is named after. From the arid desert of Dorne to a sunlit patio in Portland, this is truly a beer fit for a Prince.
- Baltic Porter : Dark, clean lager with notes of chocolate, finished with fresh sour cherries.
- Just Because: Imperial Stout : First in our Just Because series, an imperial stout with hints of black licorice and dark chocolate.
- Quadrupel : Rich, dark, malty and very complex. Belgian Abbey yeast, dark candi sugar and a huge assortment of specialty malts create layers of complex fruity aromas and a warming finish.
- Hey Dustin, Get Off My Shank : Imperial Oatmeal Stout with Nicaraguan organic coffee, Saigon Cinnamon, Tahitian vanilla and dark Vermont maple soaked with dry Virginia bacon.
- Illusion of Safety - Gin Barrel Aged Gose with Thai Basil & Black Pepper : This 4.5% base beer is fairly traditional in terms of malt, hops, salt, and tartness. However, we took the beer and aged it in Gin Barrels from Catoctin Creek Distillery (VA). In addition to the Gin Botanicals already in the barrel, we added Thai Basil and Black Pepper. The result was a complex melody of Asian inspired flavors, in a tart, citrus forward beer.
- Cool With Gravity - Cellar Stock : Polite Tartness, Complex Acidity, Overripe Apricot, Lemongrass, Chardonnay Tannins. Long-Aged Wheat Beer. Collaboration with Suarez Family Brewing.
- Laces Out Hefeweizen : Held right, this America Hefe is a game changer. Its sweet but not too sweet flavors make it a great choice for the novice craft beer drinker but also satisfies the connoisseur with its complex finish.Laces Out pours pale straw in color with a thick, moose like head and long lasting retention. High protein content of the wheat impairs clarity and produces haze. Its Aroma has strong clove-like phenols with subtle banana-like esters to balance. Phenolic character comes through in the flavor with a just a touch of vanilla and bubblegum esters to round out the flavor. Finish is crisp and dry with a tart citrus palate and high carbonation.
- New England IPA (w/ Loral, Vic Secret And Mosaic) : This is a hazy IPA made in the New England style, triple dry-hopped with Loral, Vic Secret and Mosaic hops. Low in bitterness and full of fruity, juicy aroma and flavor.
- Dragon's Milk With Toasted Chilies : This beer, aged with Chili de arbol peppers in the barrels, is one of a series of innovative specialties to sneak out of our Dragon's Milk Cellar. The earthy pepper character mingles with the dark roasted tones of Dragon's Milk as the spice slowly warms your palate, pleasantly contrasting the deep malt character. Pairings red meat, smoked foods, balsamic, rich cheese & dark chocolate.
- 1938 Special : This old-fashioned nut brown ale is brewed with all British hops, malt and yeast. Nutty with notes of toffee, light chocolate and caramel.
- Smug Alert (Colab With Voo Doo) : Mostly features Galaxy and Amarillo hops. Curt loves to use Apollo hops in his hoppy beers so we threw in a small splash of those as well. This Double IPA comes in at 9% ABV, 90 IBUs and is loaded with flavors of orange citrus, kiwifruit and passionfruit. It’s a different hop combination than we are familiar with and has a really unique flavor to it.
- Mind/Body/Light/Sound : Time is already gone...Throw your mind away and fall into the sea of Galaxy and Mosaic hops obsessively layered in this New-American Hoppy Ale. Bursting flavors and aromas of eternal existentialism, ripe stone fruit, consciousness exploration, mystical grapefruit flesh, mango-nectar, and resinous proton waves! There are some people on earth. They live with separate minds. Dissolve your body today. There is no more outside.
- Cool Wheat : This summer crusher is a 35/65 split between NZ Southern Cross & US Citra hops. Flavors of citrus, tropical fruit & some added body from the wheat.
- Double Ringer Double IPA : Brewed solely with Equinox hops, Double Ringer is robust and hop-forward, coming in with an ABV of 10.0 %. Offering a blend of pine and tropical fruit aromas, with a bit of malt backbone, this Double IPA is a beer that should be enjoyed fresh.
- Dunkelweizen (Venture Series) : A traditional German-style dark wheat beer. We use an authentic Bavarian wheat yeast, which adds the unique clove and banana aromas to the beer. This style also uses an assortment of dark malts, which results in a deep amber-brown color and chocolate and roasted flavors.
- Slumbering Behemoth : Like the subterranean forces that shifted the earth to create the slumbering behemoth (Sleeping Giant), this massive Imperial Stout will move you. Constructed with an array of malts to create notes of dark chocolate, vanilla, and caramel.
- Space Cake - Vic Secret : Why are Miracle Mike and his Kangaroo, Boomer, being chased by blue laser beam shooting cupcakes and two giant layer cake mother ships? Let's just say it's an intergalactic walkabout turned ding bat wonky. To commemorate this weird alter-dimensional variation of Space Cake, we used Vic Secret hops from Australia to dry hop, giving a bright grapefruit note to our favorite DIPA. Enjoy, Jackaroos and Jillaroos!
- Mongo Mango Wheat Beer : Mangos grown in a secret location in Pinedale are infused into our Weiss beer, making a very refreshing, surprisingly fruity wheat ale.
- 10th Floor - Barrel Aged Quad : This 42 bottle release was a collaboration with our good friends at Tap42. The Knobb Creek Barrel was hand selected by Tap42 which the Quad was aged on for several months. Hints of Vanilla, Oak, and Dark Fruit highlight this dark brown sticky treat.
- Grendel's Revenge : A blend of beers aged 1-3 years in Port and Madeira barrels with our house strain of wild yeasts. The beer is complex with deep, rich tobacco and earthy notes, balanced with lactic acid sweet and sour lingering finish.
- Sinister Grin : At 10.1% ABV, this beer is hopped late with a heavy dose of New Zealand Nelson Sauvin hops that impart a white wine fruitiness. The base beer has a fruit character with hints of pear and moderate spiciness derived from the Belgian yeast strain used. It is then aged on a mix of French oak chips soaked in chardonnay during post-fermentation to simulate barrel aging.
- Old Split-Foot : A full-bodied Belgian style ale, intense & complex with a rich, creamy head. The nose is a fruity bouquet topped with honey & clove notes. This "devil" of a beer finishes with a spicy alcohol warmth.
- Ayinger Altbairisch Dunkel : Up until the Second World War, dark beer was the predominant beer type in the Munich area. The hard water found in the region played a special role in producing this specialty. In his book “Beer International”, the world-renowned English beer writer, Michael Jackson, accurately describes the Ayinger “Altbairisch Dunkel” as: “A good example of its kind. Impenetrably dark with a golden-brown gleam when held up to the light, and with a warm aroma and malty taste, while summoning up coffee taste sensations on going down. It is brewed from five types of malt (two of which are torrified dark), and it is only lightly hopped.” It is produced using the traditional double fermentation process.
- Ayinger Ur-Weisse : “The union of wheaty freshness and dark malt often produces a fullness of taste and complexity”, explains the world-famous English beer commentator Michael Jackson. 
- Brooklyn Brown Ale : This is the award-winning original American brown ale, first brewed as a holiday specialty, and now one of our most popular beers year-round. Northern English brown ales tend to be strong and dry, while southern English brown ales are milder and sweeter. Brooklyn Brown Ale combines the best of those classic styles and then adds an American accent in the form of a firm hop character and roasty palate. A blend of six malts, some of them roasted, give this beer its deep russet-brown color and complex malt flavor, fruity, smooth and rich, with a caramel, chocolate and coffee background. Generous late hopping brings forward a nice hop aroma to complete the picture. Brooklyn Brown Ale is full-flavored but retains a smoothness and easy drinkability that has made it one of the most popular dark beers in the Northeast.
- Brooklyn East India Pale Ale : Plenty of IPAs will promise you the moon and the stars, looking to seduce you with words of smashing bitterness and hops everlasting. Actually, we're not here to "blow you away with a lupulin cannon," or "peel the enamel off your teeth." East IPA is a clean, drinkable IPA that's packed with flavor and offers a bold balance, not a smack in the head. American hops soar in the bright piney aroma, while East Kent Goldings hops bring the taste of stone fruits and firm bitterness from IPA's ancestral British home. Give our East IPA a try with some rich crab cakes or salmon, strike up a conversation with farmhouse cheddars, and find harmony alongside spicy dishes. East IPA's blend of tradition and exuberance sets the standard for hop-driven deliciousness.
- Gulden Draak : Dark Triple Ale brewed with caramel malt and re-fermented with Bordeaux wine yeast
- Hopsoulution : A remarkably drinkable Double IPA that pays tribute to one of Mother Nature’s finest creations, as several hop varietals combine for massive aromas of tropical fruit, citrus and pine. A mild caramel malt character and dry finish provide balance.
- Bazi Fifth Anniversary Quad : Bazi Fifth Anniversary Quad was brewed with publican Hilda Stevens to celebrate five years of her wonderful Belgian focused bar. The beer is done in the famous abbey style with characteristic notes of dark fruit and spice in the nose, followed by a series of other flavors on the palate including oak, wine, and spirit as the beer enjoyed a short maturation period in port-finish whiskey casks. A slight acidity on the finish maintains drinkability in this robust beer.
- Elaborate Expectations : Elaborate Expectations is an Apricot Foudre IPA. Produced from the same wort recipe as Alien Church, our omniscient, Reptoid Alien IPA. Brewed with oat malt and hopped with a blend of our favorite American varietals. Fermented in a 60hl fresh French oak foudre and then conditioned atop a generous helping of apricot purée. Intensely dry hopped with the almighty Simcoe and Idaho 7. Big notes of drippy stone fruit, pineapple, and fresh cherry pie Brettanomyces.
- Free Cascadia : A cascade hopped dark ale from friend of Sixpoint Jared Greenfield. Black from patent and chocolate malt, but piney with 66 IBUs, this brew is a taste Jared's homeland, the pacific northwest.
- Small Beer : Exceptionally satisfying and full bodied for it's stature. Vibrant in citrus, tropical fruits and berry flavours from the Citra, Mosaic and Simcoe hops, this beer delivers the same big hop hit you may have come to expect from our more muscular Pale Ales.
- Crafty Radler : Our Crafty Radler includes a mix of grapefruit and tangerine soda that we created in-house. It exhibits a natural cloudy pink colour from the added juice. This mixture gives off a refreshing smell of ripe, freshly sliced grapefruit with sweet notes of ripened tangerines. There is also a slight lingering aroma of Willamette hops that create the base of this delicious blend. The taste of this Crafty Radler is as appealing to the taste buds as it is to the nose; the grapefruit flavour dances with the sweetness of tangerines, while the malt and hops give a balanced foundation.
- Question 63 IPA : A complex IPA that's as mysterious as its name. 
- Reunion Ale '16 : Complex Dark Ale brewed with Chocolate, Cocoa Nibs, Cinnamon, Vanilla, Ginger and Mexican Chili Pepper.
- Joy Division Series: New Dawn Fades : Dark saison with dried lemongrass and peppercorn blend.
- Eisenbahn S.A.P.A. (South American Pale Ale) : Exported only to USA. Eisenbahn's South American Pale Ale is well-balanced, with sweet wholesome malt, and earthy complexity, and a uniquely spicy aroma that results from a special, and secret, blend of Old and New World hops.
- Dark Matter : Deep inside the Hadron Collider physicists hurtle sub-atomic particles with lightning speed on a collision course with each other. They do so in the pursuit of pure science, in the hope of one day being able to unlock the mystery of the elusive unseen fabric upon which our universe is embroidered: Dark Matter.
- Das Wunderkind! Saison : Mature beer, refermented in oak barrels with wild yeast and souring bacteria is blended with fresh, dry-hopped beer prior to bottle-conditioning. Dry and lightly tart, with notes of citrus, barnyard, and tropical fruit.
- Karminator : Extremely rich and malty German-style lager, so intense it's named after our founder! Karminator Dopplebock has a traditional double-bock flavor, brewed with an over-abundance of the absolute highest quality imported Munich malt to create an irresistible toasted barley flavor, with hints of caramel & toffee. A lot of care, time, and know-how has gone into creating this complex, memorable, and majestic lager.
- Sour In The Rye - Passionfruit, Orange And Guava : To those who’ve tasted it, our barrel-aged Sour in the Rye ale is an instant classic. To those of you about to take a sip of this limited “POG juice” edition, get ready to be transported to the tropics. Passionfruit, orange and guava join forces for a refreshing, juicy and bright combination with the rye spice notes of the base beer, all while basking in careful balance with the honey, vanilla and woody character imparted from barrel-aging. Enjoy relaxing and sipping on this one with your friends, and think up a clever game or two with the bottlecap when you do.
- Shave The Bear : Black IPA with passion fruit and vanilla.
- Crooked Stave Wild Wild Brett "Rouge" : Wild Wild Brett Rouge is an unfiltered, slightly tart wild ale, fermented entirely with Brettanomyces yeast. Brewed with hawthorn berry, rosehips, and whole hibiscus flowers, Rouge pours a reddish hue delivering soft floral aromas and tropical fruit flavors with a tart earthy finish.
- Downstate Pale Ale : A classic American Pale Ale with well-pronounced fruity, floral and citrus-like American-varietal hop bitterness, flavor & aroma, medium body, low-medium maltiness and fruity-ester flavor.
- Citrus Wheat : Citrus Wheat is a burst of citrus; a wheat ale made with mandarin, tangerine and lime for a sweet, tart tang highlighted by a bright aroma of lime zest and tropical fruit.
- Nutty Brewnette : Nutty Brewnette is an American-style brown ale. A blend of four different dark malts contributes to a flavor profile that is sweet with “nutty” notes. A healthy dose of hops makes this beer hoppier and more balanced than most English brown ales. 
- Saaz Berry : There’s no earthly way of knowing precisely what a SaazBerry tastes like until you’ve experienced it for yourself. It’s fruity without being sweet. It’s tart without being sour. SaazBerry is a perfectly balanced American ale with a magical blend of Saaz hops, raspberry, blueberry and elderberry. The hops provide an earthy spiciness, while the fruit mixture gives a tangy flavor and an aroma of freshly picked berries for a world of pure imagination.
- Cast Splitter : This pale is hopped with Equinox, Galaxy, Centennial and Nugget. We are really digging this fruit bomb. The Galaxy and Equinox really go well together. 
- Grapefruit Farmhouse Ale : This is a Belgian-style farmhouse ale that is slightly hazy, bright and citrus-forward. Aromas of grapefruit rind, cara cara orange, coriander and white pepper fill your nose with vibrant citrus and spice. On the palate, you'll taste notes of sweet melon and guava. It finishes dry with heavy citrus character and light grapefruit bitterness. This beer pairs well with goat cheese, fruit & nut salads, a picnic in the park or gardening in the backyard. Try a beer-mosa with this beer and orange juice or grapefruit juice for a stellar brunch beverage.
- Alaskan Double Black IPA (Pilot Series) : The aroma of Alaskan Double Black IPA consists of fresh, citrus notes from Northwest hops and the heavy, dry bouquet of roasted grains. Brewed with an array of dark malts, Alaskan Double Black IPA features the distinctive flavors of coffee and bitter chocolate with a subtle toasted sweetness. Large hop additions late in the boil, and dry-hopping after fermentation, lighten and refresh the overall perception and flavor of the beer. It finishes with a dry palate and lingering warmth and bitterness.
- The Young Master Classic : A true classic that won’t ever go out of fashion. The Classic is designed to be versatile – you can drink this all day and in all seasons. We’ve taken careful measures to create an elegant balance of malts and hops in this pale ale. The result is just enough malty richness, paired with a thirst-quenching blend of North American and Australian hops. We employ late additions and dry hopping to bring out its delightful fruity, floral and zesty aroma.
- Nutty Brewnette : Nutty Brewnette is an American-style brown ale. A blend of four different dark malts contributes to a flavor profile that is sweet with “nutty” notes. A healthy dose of hops makes this beer hoppier and more balanced than most English brown ales.
- Expressionism : Expressionism is an imperial stout brewed with an array of Chocolate, Roasted, and Brown Malts. Its flavor is a function of complex and carefully selected ingredients and precise brewing application. It has gentle stout flavors, eschewing heavy bitter roast characteristics in favor of notes like cocoa powder, dark candy sugar, caramel, and dark fruit. It is best enjoyed in a snifter while allowed to warm to 50 degrees. It will keep well when kept cold for up to 6 months, evolving in the can to become more integrated, complex, and rewarding with time. We encourage you to try one fresh, and then again over several months to reveal evolving layers of complexity. Expressionism is the second installment in a new line of dark beers to be brewed in the Autumn and Winter of 2018!
- Shark Meets Surfer : The Australian second cousin of Shark Meets Hipster decided to surf into Chicago. Galaxy and Nelson Sauvin hops represent the Southern Hemisphere proper. Passion fruit and grape notes dominate, with subtle peach notes.
- Central Valley Breakfast Sour : Spontaneously fermented Golden Sour with white grapefruit, pear and lychee added. Aged in used wine barrels for a year and further cellared in stainless for an additional year.
- Ola Dubh Special Reserve 30 : Every bottle of this extremely limited Ola Dubh 30th Anniversary Ale has been individually numbered. Our ale has been aged for up to six months in first fill sherry butts, formerly used to mature Highland Park's award-winning 30 Year Old Single Malt Scotch Whisky. These hand selected butts add subtle whisky notes to what is already a complex ale with its chocolatey mouthfeel and distinctive bittersweet finish. The high ABV has been deliberately created to stand up to, and blend with, the intensity of flavor created by the infused wood.
- Aiken Irish Oatmeal Stout : This sweet stout is dark black with moderate body and a dense brown head. The malty sweet chocolate flavors are balanced with coffee-like characters of black malt and roasted barley. Oatmeal is added for a silky smooth mouth feel.
- Number 53 : An American Pale Ale brewed with BRU-1, Summer and Citra hops, creating flavors of orange creamsicle, pineapple and stone fruit.
- Terrapin Side Project #29: Chubby Bunny : Chubby Bunny is our 4th installment of our employee home-brew competition. This Imperial Milk Stout breaks all the rules by combining flavors of graham cracker, toasted marshmallow and dark chocolate. This mouthful of a stout will challenge any beer lover to say Chubby Bunny.
- Brains Original Stout : Our 'Original Stout' is a classic full bodied stout with a distinctive chocolate aroma. it is brewed using a combination of chocolate and premium ale malts and bittered with a blend of hops to create a complex flavoursome refreshing stout.
- Portsmouth Wild Thang : A dark straw golden ale utilizing the tantalizing whole grains of wild rice to create a nut like character. The use of sterling hops help add a cherry flavor to this light bodied, crisp ale.
- Revolution Red : A flavorful base of Maris Otter provides a backbone for a mild caramel sweetness perfectly balanced by roast barley bitterness. Gentle additions of English hops give this beer a low level bitterness. Designed for those who aren’t looking for sensory overload this splits the difference between light and dark, and can be returned to time and time again.
- Wildcat : A deep amber coloured ale with a complex malt and fruit flavour, with a delicate bitterness from Challenger and Fuggles hops. Strong and distinctive.
- Nine Locks Porter : Delicious easy drinking London style porter. Dark brown with a restrained chocolate biscuit character derived from a combination of black and chocolate malts and roasted barley. Aromatic and medium bodied with a toasty toffee finish.
- Scottish Pale Ale : Bright copper colour; toasted malt, a hint of caramel and a touch of fruit aromas; Medium body, with coffee and dark chocolate notes, nice hop balance and nutty finish.
- Imperium Russian Imperial Stout : The dark complexity of a Russian Imperial Stout made more irresistible with the addition of vanilla beans, toasted coconut, and Octane® coffee. Pitch black, velvet smooth and aggressively roasty, Imperium commands all of your senses.
- Legio Gemina : Dark Lord Aged in Pineau de Charentes Barrels
- The Rebellion : Rebelling against the Empire of German brewing tradition, we used the Schwartz to create this Northwest fusion lager. We start with a traditional base of organic Pils malt and lots of German dark malt to drop dark chocolate and roast profile on the drinkable medium body. In the boil kettle we drop copious amounts of Nugget and Crystal hops, two Northwest bred varieties with bold fruity resinous flavors. With our rustic farmhouse fermentation conditions, we use our winter blend of common lager yeast that likes to ferment in our barn. Why not dry hop? We couldn't think of a reason, just raise your fist against the system!
- Quaker Shaker : Rich, Rusty, and creamy milk with a coffee forward nose of dark fruits, caramel, and chocolate. Our friends at Case Study roasted up some Ethiopian beans that we cold brewed directly in the beer following fermentation.
- S9 Nobel Saison : Grainy with light floral notes Subtle orchard fruit with notes of dried grass and hay are wrapped around a firm, balanced bitterness. 
- Oud Floris : Flanders-style Oud Bruin. An homage to the complex sweet and tart beers of the Flanders region. A blend of barrel-aged wild beers of various ages.
- Rhode Scholar Kölsch : This addition to our lineup fills the need for a lighter bodied, easy-drinking beer. The Rhode Scholar is a smart beer that is both approachable and complex. Each sip illuminates your palate with subtle citrus flavor and light peppery notes on the finish. The Scholar can be enjoyed while mowing the lawn, just chatting with friends or when impressing your Alma Mater.
- Humdinger Series: Over The Pils : Over the Pils features a smooth malt body that is paired with fruit and floral notes from generous additions of Brewer’s Gold and Crystal hops. Beneath the bold hop aroma hides a subtle warmth sure to take your taste buds Over the Pils and far away.
- MacCoy's Scotch Ale : The highland alternative to English ales. Scotch ales are usually strong, dark and malty. Ours also features a subtle smokiness from the use of smoked malt. This beer also has 50 pounds of dark brown sugar which contributes to the fruity estery characteristic.
- Petite Raspberry Sour (For Tobe Hooper) : Fermented with 100% coolship sourced Asheville wild yeast and aged on second use fruit from our Framboze.
- Forbidden Fruit : The phrase “Forbidden Fruit” originates from Genesis, concerning Adam and Eve in the Garden of Eden, and sometimes implies a guilty pleasure or indulgence. The pomegranate is native to the Holy Land and is thought by some to be the fruit described in Genesis, not the apple. We avoided any debate on the subject, and instead, decided to create our own guilty pleasure, infusing it with pomegranate juice. Jim Crooks cleverly picked his barrels for blending from our Garden of Eden: our Live Barrel and spirit barrel programs, adding pomegranate juice for good measure. The result is astonishing. Tart berries and pomegranate notes lead to an earthy funkiness, followed by a delicate dance between the yeast and roasted barley phenolics. Black licorice and slight bourbon notes give way to a wonderful acidity, rounding out this complex indulgence. Don’t miss out on this gem!
- Fruitcake Lady : Mix cultured dark saison aged in bourbon barrels with all the familiar fruits and spices in everyone's favorite holiday cake.
- Raging Bitch Belgian-Style IPA : This bitch has a lot going on. Its sweet malt body is contrasted by pine and grapefruit hop flavors and exotic fruit notes from the Belgian yeast.
- Blackboard Series #1 - Agave IPA with Grapefruit : The first special in the series, Agave IPA with Grapefruit, will be released on January 1, 2016 and is brewed with four variations of American hops that juxtapose strong and bitter aromas against agave and grapefruit additions to create a light, citric bite. The ale is fresh, crisp and bracing, reminiscent of a ripe, ruby red grapefruit. The sweet agave syrup provides a perfect foil to the tartness of the grapefruit resulting in a juicy winter fruit beer. Agave IPA with Grapefruit is available from January through March '16.
- Hope & King Scotch Ale : Our interpretation of the classic ale that originated in Glasgow, Scotland. A full-body ale, rich in malt complexity. Brewed with both English and American barley and many, many specialty malts allowing hints of roasted chocolate, caramel and raisins with very little hop presence.
- Five-Hole Winter Wheat : This beer, which was brewed for the Toledo Walleye team, is the American version of a Dunkel Weizen. It has a cloudy brown color with only slight hop characteristics. The caramel and toasted malt flavors blend nicely with the slight fruit esters of the beer. You might just leave your goal unattended to finish another one of these beers!
- Smuttynose Shoals Pale Ale : Our interpretation of a classic English beer style is copper-colored, medium-bodied and pleasantly hopped. Its flavor is delightfully complex: tangy fruit at the start, with an assertive hop crispness and a long malty palate that one well-known beer writer has compared to the flavor of freshly-baked bread.
- Geary's Pale Ale : Our flagship. This is a classic British pale ale with a nod to the legendary beers of Burton-on-Trent. Copper-colored, dry, clean, and crisp with lots of late hop taste, in an appetizing complex with ale fruitiness from imported Hampshire yeast. Original gravity - 1047; alcohol by volume - 4.5%; two row English malt (pale, crystal and chocolate); Cascade, Mt. Hood, Tettnang and Fuggle Hops.
- Geary's London Porter : Faithfully recreated by Geary’s, this classic English style has a deep mahogany color and a restrained roasted malt flavor. The result is rich and complex, yet smooth and refreshing. Original gravity - 1045; alcohol by volume - 4.2%; two row English malt (pale, crystal, chocolate and black); Cascade, Willamette and Golding hops.
- Leviathan Imperial IPA : Harpoon Leviathan Imperial IPA will challenge your senses and your palate. As the vibrant aroma rushes out of your glass you will notice the blend of piney and tropical fruit notes. At first sip, this big beer starts with a powerful hop bitterness up front and an aggressive hop flavor and character throughout. 
- Doppelbock Grande Cuvée Printemps : Full-bodied, Bavarian-style lager with a complex malt character suggesting flavors of fresh-baked bread, molasses, chocolate, plums, and oranges. This style was originally created by monks for Lenten fasting and called "liquid bread".
- 1100 Wheatwine - Cognac Barrel-Aged : Aromas of grapes, caramel and vanilla are present. The flavor is a very complex blend of grapes, honey, berries and wheat with spicy and smokey notes.
- Nitro Dry Irish Stout : We partnered with Boundary Brewing Cooperative of Belfast, Northern Ireland, to create this traditional Dry Irish Stout with dark character and a classic, creamy body. Roasted barley, flaked barley, and Irish Stout Malt give this black beer flavors of coffee and hints of grain.
- White Birch Small Batch Ale Bill's Batch 39 : Each year I like to do a special beer on my birthday. I work out a theme and then enjoy. Since opening White Birch Brewing I’ve had the fun of being able to use more equipment, more ingredients and no worries about the mess in my kitchen at home. This year instead of more I chose a theme of less. Less as in one grain, one hop and one yeast. I took 110 pounds of grain, 60 gallons of water and created 20 gallons of wort. I then hopped it with Warrior hops to 39 IBUs as I turned 39 this year. Add in champagne yeast and we have a beer. Using an unusual mash technique influenced by pre-industrial English brewing, I did an extended step mash with the grain. Typically a one grain beer like this is pale yellow to golden in color. Due to my mash process the resulting beer is a beautiful golden cherry red with a rich fruity malt flavor. The hops bring balance and a pleasing bitterness without taking away from the complexity of the malts. For me, this is a sipping beer, best enjoyed in the evening after the end of the day.
- San Juan : This a traditional German-style lager, is perfectly refreshing for days in the Florida sun. Hop varietals from Australia and New Zealand pack subtle fruit notes while the beer achieves balance from the sweet, bready German malts.
- Right Hand Man : Classic, Fruit-Forward American IPA with Bold Aromas of Orange Bergamot, Fresh-Cut Flowers & Tangerine. Brewed with Ahtanum & Palisade Hops, then Dry-Hopped in the Cask with 12 Oz. Centennial Hops.
- Autumn Ale : Our fall seasonal combines the malty goodness of a German lager with the clean crispness of an American ale. Brewed with Munich malts and a delicate blend of Bavarian hops, it's a full-bodied treat with a nutty-sweet middle, a warming alcohol level and notes of toasted grains. A pre-winter winner.
- Belgian Blue IPA : Deep tangerine and hazy in appearance, this fruited IPA features mild blueberry and hop resin on the nose. A light sweetness parallels the hop notes, with hints of blueberry on the side of the palate and a mild blueberry finish.
- Hopwood : We are pleased to announce the first in the Cooper's Series of beers, which are aged in New White American Oak Barrels. These barrels impart a nice, wine- like flavor and aroma into our IIPA; complimenting the floral/fruity character of the hops used in it's recipe. You would be extremely hard pressed to find a beer like this anywhere in the country! Look for woody/coconut and fresh melon/passion fruit notes in this absolutely unique beer.
- Mt. Prevost Porter : A silky smooth dark ale with savoury cocoa and roasted malt flavours, our porter has a slightly smoked finish that is both alluring and illusive.
- Incredulous : Traditional British style beer: malty, nutty, and smooth. At such a low ABV, you won’t feel guilty for a having a pint!
- Good Trouble : LycheePassionfruitApricot, Fluffy, Artificial Strawberry, Clean.
- Denver Heavy Metal Saison : Brewed for the Denver Heavy Metal Society, this light-bodied, easy-drinking beer represents the diverse "flavors" of the local music scene. An off-orange color with fruit and pepper nuances, this beer invites your senses to sit up and listen.
- Gunther Bock : Why Gunther? Why not? Like most bock beers, Gunther is a simple German style full bodied dark beer. Sweet maltiness offset by bitter hops makes for a well rounded flavor profile.
- A Honey Of A Saison : A Honey of a Saison is a swarm of flavor and a stinger at 11.5% ABV. The French Saison yeast produces big, estery, phenolic aromas and flavors, while the Wildflower Honey lends a spicy, sweet aroma with essence of dried fruits. Champagne Yeast is also used to complete fermentation and create a dry finish. A strong malt bill imparts a rich, golden honey color to the ale, and it shows low hop bitterness at 25 IBU’s.
- Altbier : Altbier, literally translated as “Old Style” beer, is a classic German ale. BBC Altbier is brewed with additions of Munich, wheat, caramel, and chocolate malts creating a delicate, but flavorful malt profile. This delicious amber colored session beer is balanced with additions of tradtional spicy German hops creating a light and floral bouquet to compliment its complex malt profile.
- Tart Side Of The Moon : Hearty stout is kettle soured and blended for a slight tartness along side big dark chocolate notes and hints of black cherries.
- Mochi - Mangosteen : Welcome the newest member to our Mochi IPA series! Mangosteen is an elusive tropical fruit which comes all the way from Indonesia. We brewed this juicy tropical delight with milk sugar, malted oats, sushi rice, and of course mangosteen. After fermentation, it was dry-hopped with a blend of Citra, Galaxy and Motueka, and finished with whole vanilla beans from Madagascar.
- Cherry Chocolate Milk Stout : It's a perfect way to end any meal or an evening of indulgence. No need to order dessert with this flavor combination. Flavor: Sweet Milk chocolate, Cherry; Aroma: Mocha, Dark Fruit; Balance: Rich; Body: Full.
- IPA Of The Month : June 2014 (Jasmine) : It’s summertime! While away those long daylight hours and languid southern nights with this hazy, hoppy IPA. Caramalts set a subtly sweet tone for our infusion of five different hops. A unique double dry hop of Mosaic, Simcoe and Chinook renders an unfiltered gem that drinks like a bowl of fresh summer fruit.
- Parageusia47 : Para47 is the very talented future rustic brewer, Christian Zellersfield's, first iteration of the very popular single hop IPA style. After traveling an additional twenty-two years into the future (five hundred and twenty-two years ahead of our time), Christian discovered that the IPA had become, much like in our time, the dominant style brewed on his planet. In an attempt to get ahead of this trend, Christian raced back through time and contacted Jean with his masterfully composed new Parageusia47 recipe. Using exclusively what he deemed to be one of the most beautiful hops of our time, Mosaic, Christian layered bright and juicy (or as he puts it "Sparkly") hop complexity atop layers of wheat and oats. He then fermented this IPA in freshly emptied Vin Santo casks with his proprietary Parageusia microflora for many months. Para47 was then dry hopped, in oak, with even more Mosaic.
- Freaktoberfest Big Ol' Pumpkin Ale : Freaktoberfest is a hauntingly complex, deep amber, pumpkin and espresso ale. Caramel aromas intermingle with hints of allspice and cinnamon. A roasted rich body is highlighted by Greenpoint’s own Cafe Grumpy’s specially selected espresso beans, and is finished with sweet pumpkin.
- Galaxy Far, Far Away IPA : An IPA brewed with Millennium, Falconer's Flight and Galaxy hops. Deep orange in color with distinct tropical, citrus and stone fruit characteristics. Finishes crisp and clean.
- Ninth Tree : Legend tells of nine hazel trees that border the well of wisdom. Full, lush flavors of hazelnut and dark malt wash over. A compelling, mythic tipple to inspire poetry and nonsense.
- Darkness - Vanilla Bean & Pappy Van Winkle 15-Soaked Red Oak : Surly took red oak chips and aged them in Pappy Van Winkle 15 year old bourbon. Then, they took the chip and threw them in Darkness along with vanilla beans.
- Sonoma Tart with Guava & Passion Fruit : A golden ale kettle soured with the addition of Tartare and fruited with guava and passion fruit. Delicious fruit flavors with a sweet and tart finish.
- Doxology : Doxology was brewed with a nod to Belgian Trappist and monastery tradition, with a well crafted candi syrup adding complexity of flavor and depth of color. A simple grist and lengthy maturation have produced notes of ripe cherry and dark fruit.
- Two Front Teeth Holiday Ale : Two Front Teeth Ale is made just for the holiday season. This ale is a Belgian style Saison with a complex palate derived from the addition of sweet cherries in the brewing process. Light mahogany in color, it hits the tongue with a full-bodied malty taste that is balanced with a light hop aroma, then finishes with a fruity cherry blast that lingers pleasantly. Stop by the Taproom and ask Matt how this festive ale got its name.
- Green and Gold Australian-style Sparkling Ale : A "sparkling ale" is the only beer style indigenous to Australia. This golden, light-bodied, sessionable ale gets its name from its high levels of carbonation. As a result, Aussies serve the sparkling ale almost exclusively in bottles because draft systems cannot handle the extreme levels of carbonation. It's basically beer's version of champagne. You'll note that Green and Gold contains slightly above average levels of carbonation, but due to the limits of beer dispensing systems we did not make it a fizz bomb. Green and Gold uses Coopers Ale yeast, the most prominent of all Australian yeasts and one that produces lightly fruity "esters," or yeast-derived flavors.
- Island Göse : Brewed with passion fruit, orange, guava, and Hawaiian volcanic sea salt. Tropical and lively, inspired by the Pacific islands.
- Hop Harvest : This autumnal offering is a liquid celebration of the hop harvesting season. The generous use of Ella hops impart both grapefruit and tropical fruit-like flavors to this harvest time dry-hopped American ale.
- Brewer's Art ChopTank'd : Rye saison brewed with grapefruit.
- Dark : Don’t be afraid of the Dark. Unlike some of its bigger brethren, Dark is not to going to scare you off by being too big or too sweet. Pleasant fruitiness swim in sync with roasted malts & dry cocoa; balanced and flavorful, each sip will draw you to its murky depths, but you probably won’t mind.
- Yonkers India Pale Ale : A west coast style IPA. The rich golden malt provides the perfect canvas for the variety of hops shine. The Columbus, Centennial, Glacier, Citra and Simcoe hops create a rich aroma shock full of citrus and stone fruit.
- Base Jumper : Grapefruit and orange zest lightly tickles your nose. Clean, citrusy flavors evoking freshly squeezed orange and pink grapefruit juice quench your thirst. A light bready, malty sweetness is noticeable in the background. Bitterness is muted for an IPA. Dry. Delicious. Incredibly drinkable. Who knew all that flavor could come from a tiny little flower?
- Barrel Aged Night Run RIS : Huge and dark Russian Imperial Stout with an intense combination of fruit, chocolate and roasted coffee notes. This Night Run is barrel-aged for 6 months.
- Temeculan 3000 : Dark Lord Aged in Pineau Charentes Barrels with Green Cardamom and Ceylon Cinnamon
- Pullmans Porter : Flavors of chocolate and coffee together with a hint of smokiness and a crisp hoppy finish make this a dark, delicious microbrew. Don’t be afraid of the dark!
- Barrel 45 Wet Hop Wild Racer 5 : Barrel 45 was filled in September of 2010 with Racer 5 IPA and over ten pounds of freshly picked Yakima valley Columbus hops. Refermented with wild yeast and bacteria, it is now a floral, fruity, slightly tart, and funky American wild ale.
- Guava Islander : Tropical fruit meets tropical vibes in this “guavacated” version of our Islander IPA. Brewed with the classic West Coast combo of Centennial, Chinook and Columbus hops, this beer gets the tropical treatment with a hefty dose of fresh guava puree. The result is a surprisingly smooth, unfiltered IPA bursting with tropical goodness that’s sure to put you in that island state of mind.
- Bye Felicia! : The newest addition to our seasonal offerings, Bye Felicia!, is a juicy, tropical, fruit-forward IPA infused with all natural passionfruit. Low in bitterness, medium-bodied and extremely aromatic, this crushable IPA is packed with mango, peach, bubblegum and hints of pine. Extremely soft on the palate and endlessly drinkable, this IPA is perfect for both hop lovers and the hop shy.
- Pale Ale : Flavor and Balance: Citrus and pine flavors of American varieties are evident, and most often the prominent flavor, in aroma and flavor. Low to medium malt base with some caramel and toast notes. Our Pale ale used hops emphasizing the forward citrus and earthy flavors, that are rounded with a spicy fruit finish.
- Bangin' Banjo / Odd Breed - Peghead : This Strong Dark Wild Ale is a collaboration between Odd Breed Wild Ales and Bangin Banjo Brewing Company. Aged in French Oak Cabernet barrels for 13 months with Odd Breed's mixed culture creates notes of sour fruit and bakers chocolate with moderate acidity and prominent notes of oak and red wine.
- Vienna Lager : Brewed using a combination of Northern Brewer and Saaz hops with Vienna, Pilsen, Dark Munich and Caramel malts and allowing five weeks for the lagering process and the flavors to fully develop.
- Dorham's Dunkel : Released "A traditional German style dark lager with some malt forward flavors but a dry finish. Using the same Munich lager yeast as the Engelberg Pilsener and a mix of German and Belgian malts, this should be a fine beer to enjoy throughout January. Named after the underrated jazz trumpeter/composer Kenny Dorham, because the dunkel style just doesn’t get much love in Portland."
- ÆGIR : This unique farmhouse ale was inspired by the Norwegian Maltøl tradition of brewing with Juniper boughs and Kveik yeast, which combine with a rustic grain bill to produce a blend of fruity esters, spice, gentle caramel, Juniper berry, and a tannic, vinous wood character imparted by whole Juniper branches that were added to the mash.
- Kirsche Me : This unique wheat beer uses smoked malt as an extra variety to the traditional malts used to brew a Dunkelweizen. Dunkelweizens are hybrid beers that reflect the malty richness of a Munich Dunkel with the fruity yeast character and wheat profile of a Bavarian Weizen. We used a barley malt that has been smoked over a cherry wood fire to add further intricacy to the malty character. This wheat beer is malt forward and bready with a smoky and slight fruity background.
- Poor Laurie : Poor Laurie is a 100% North Carolina malt saison, aged in Sauvignon Blanc barrels. It has a fruit-forward brett culture with aromas of pineapple, pear, and white grape, along with a restrained brett character and soft acidity.
- Mad Scow Stout : A dark Irish ale having a rich, roasted coffee bitterness and a smooth creamy finish. After one sleeve, you will swear you've found your four-leafed clover.
- Idaho 7 : 264 pounds of the stuff, & nothing else! Pronounced orange & peach fruit, some pungent chive/cannabis elements, black tea, & an earthy herbal character reminiscent of the bass tones of Nelson.
- Absolom's Ale : Light bodied, clean, crisp tasting yet has a bit of character. Absolom’s Ale has a very faint fruitiness and a medium light hop presence leaving a pleasant hop bite.
- Speedway Stout - Kona Coffee : AleSmith Brewing Company is proud to introduce another great addition to our Specialty Coffee Speedway Series. Mostra Coffee carefully roasted 100% Kona beans to showcase the coffee's nutty sweetness and floral aroma, a seamless complement to our award winning Imperial Stout. Huli Pau!
- Mas Hops : “More hops” often has little place in the world of well-balanced beers, that is until now. Más Hops Double IPA pushes the limits. High hops meets high refreshment in this hugely aromatic and flavorful IPA. A bouquet of pine and citrus sets your palate up to appreciate the flavors of orange and grapefruit rind. A sharp hoppy bitterness is balanced by a pleasant, malty body. Más Hops is a beer that truly comes alive in the contrasts.
- Flooded Heart : A revival of our cranberry sour ale with loads of orange zest, and a tart & refreshing finish. We’ve re-tooled this fruit-forward brew to showcase it’s complex character, and go perfectly with 8-10lbs. of turkey that you will be consuming this holiday season.
- Dynamic Duo IIPA : Our dual-hop IIPA series, this West Coast style double IPA has big hop aroma of pine, grapefruit, and pineapple with a very light body. Extremely drinkable and aggressively hopped with Citra and Chinook for a clean, bitter finish.
- Arcadia Cereal Killer Barleywine : Brewed in the tradition of English-style barley wines, Cereal Killer offers an explosion of full-bodied, liquid goodness. Robust malty flavors converge with caramel, toffee, molasses and dark fruit notes to produce a remarkably complex and palate-pleasing beer. Its intense malt character is complemented by a subtle citrus finish from the crystal hops. With cellar-aging, Cereal Killer's flavor evolves further, developing a sherry-like aroma and flavor similar to a cask-aged port. Winner of the Silver Medal for Barley Wine Style Ale at the 2007 GABF.
- Dragonmead Mariann's Honey Brown : A light brown beer flavored with brown sugar and honey, this beer is refreshingly light. Pale, Crystal and Chocolate Malts combine with Hallertau, Fuggles and Mt. Hood hops to create a complex but light taste.
- Two Lights : Two Lights is an ode to two of the more refreshing drinks of summer: cold beer and sparkling wine. While brewing this beer, we add Sauvignon Blanc must—the freshly pressed juice of the grapes. Then we ferment it with both lager and champagne yeast to create a tart, crisp, and dry profile. The finished beer’s aromas of pear, grape, and light hops pair with a flavor profile that’s a mix of tropical fruit and the snappy spritz of a freshly picked grape. We suggest sipping Two Lights by a water source too large to see across.
- Fresh Juice Pale Ale : The latest in our Juice Bar Pale Ale Series, Fresh Juice is a delicious and quenching hoppy ale bursting with notes of tropical fruit, pear, pine and citrus zest. It has a bit softer hop character than Dis Juice, with generous amounts of Citra, Calypso and touches of Cascade and Pacifica rounding out the same grain bill and fermentation profile of the other beers in this series. Hazy due to the use of wheat, oats, and excessive dry hopping, we have focused on creating explosive hop aromatics and flavors above all else in this beer. The juice is loose.
- Boss Blaze : Ah, the siren call of liquid sunshine in a bottle! Dive into this thirst-quenching, easy-drinking golden ale and get lost in a laid-back land that is brimming with citrus, honey and refreshing grapefruit. Best of all, this fresh, zingy beer evokes feel-good memories of beer gardens in beautiful summer sun – bliss!
- Barley Wine : A very rich, heavy bodied, dark golden brown beer. Malty sweetness is balanced with delicate hop bitterness and a sherry-like aroma. Perfect for savoring slowly on a cold winter day: as the beverage warms, the flavors and aromas intensify.
- Hop Dealer : Like the hops used to brew it, this beer smells of citrus fruits like tangerine and lemon with hints reminiscent of fresh pine. It's an intensely hoppy and salaciously bitter American-style IPA designed for those with a real and deep passion for hops. A beer this light and hoppy, you could spend just as much time smelling it as you could drinking it!
- Commander Clifford’s Imperial Red Ale : This Imperial Red was brewed with a unique blend of crystal malts to impart intense flavors of toffee, caramel and subtle burnt sugar. A touch of Munich and Wheat malts round out the mouthfeel to allow for an onslaught of hoppy goodness. Hopped with Summit, Chinook, Centennial, Citra, Galaxy and Mosaic hops at five pounds per barrel. Resinous hop flavors of citrus, passionfruit, pine trees and berries perfectly accompany the malt character. This complex, hoppy ale is perfect for the cold weather. Come blast off with Commander Clifford in his big red hop rocket!
- Trafalgar Abbey Belgian Ale : The flavour of Belgian style ales is unique in the world of beer. Trafalgar’s version runs to rich and spicy and citrus notes and complex flavours. As dictated by the style, the hop bouquet is very subtle. the higher alcohol results in a gentle sweetness that lends itself to after dinner sipping with desserts and fine chocolate.
- Edmund Fitzgerald Porter : Robust and complex, our Porter is a bittersweet tribute to the legendary freighter's fallen crew--taken too soon when the gales of November came early.
- Grozet : From the Gaelic "Groseid", Since at least the 16th century Scots monks and alewives brewed indigenous drinks from cereals, wild herbs and ripe fruits. Tibbie Shiels green Grozet was immortalised by such Scots literati as Sir Walter Scott, Jas Hogg. (The Ettrick shepherd) and Robert Burns whoconsidered it a most convivial drink. Brewed with lager malt, wheat, bog myrtle, hops and meadowsweet then secondary fermented with ripe Scottish gooseberries.
- Mocha Something New : An Imperial Oatmeal Stout really ties the room together. Our dark answer to the White Russian. This full bodied imperial stout has a creamy mouthfeel with bold flavors of coffee and cocoa. Enjoy sipping this dark, decadent beer slowly while savoring the robust flavors and aromas.
- Sore Loser : Dark sour ale brewed with honey aged in Sauvignon Blanc barrels; collaboration with Trophy Brewing.
- Milkshake IPA - Cobbler : IPA brewed with oats and lactose sugar. Conditioned atop heaps of luscious white peach purée, Madagascar vanilla beans, cinnamon, and nutmeg. Intensely hopped with Mosaic and Citra. Dreamt up with our dear friends from Omnipollo in Stockholm, Sweden. Big drippy stone fruit, cotton candy, cinnamon graham crackers, whipped cream notes.
- Belgian Dubbel : This Belgian beer is a dark amber ale. With a chocolate-roasted malt character, it has a fruity finish reminiscent of dates and raisins.
- Honey Saison : 120 lbs. of local honey was used to ferment this beer, leaving a complex botanical bouquet.
- (512) ONE : Our first anniversary release is a Belgian-style strong ale that is amber in color, with a light to medium body. Subtle malt sweetness is balanced with noticeable hop flavor, light raisin and mildly spicy, cake-like flavors, and is finished with local wildflower honey aromas. Made with 80% Organic Malted Barley, Belgian Specialty grains, Forbidden Fruit yeast, domestic hops and Round Rock local wildflower honey, this beer is deceptively high in alcohol.
- Gun Hill IPA : Our India Pale Ale features an abundance of hop character gained from 5 separate additions of hops including the use of whole-cone Simcoe and Citra hops in our hop jack. Notes of citrus fruit and grass in the aroma are followed by a rounded flavor of citrus and pine.
- Merry Merry! : Merry Merry is a dark strong ale, aged for a few months in bourbon and white wine barrels, then blended and bottle conditioned. It tastes of bright plum, bakers cocoa, vanilla, brown sugar, strawberry candy, and finishes dry with a moderate sourness.
- Ocean Oh, Deer IPA : Marris Otter Pale Ale malt, Caramalt and Dark Crystal malt. Bitter hop: Southern Cross (50 IBU). Flavour hop: Citra. Aroma hops: East Kent Golding, Cascade.
- Holy Willie’s Robust Porter : Holy Willie begins life in two lands, with BC and British specialty barley, with malted & flaked oats; but He feels the fires below more than others and his passion quickly turns to the Dark Side. Holy Willie must first destroy the young malts, but he is brewed to bring balance to the craft. His IBU bitterness is hidden behind chocolate roasted malts, the swirling maelstrom of his character is bold yet creamy, acrid yet malty. This stout ale, this Robust Porter tells you “Look, I am your Father”.
- BIG HAPI India Black Ale : This dark and devious brew reflects a resinous and sticky fusion of intense bitterness, big roasted barley flavors, and powerful dank aromas. Made with HUGE additions of five hop varieties and seven malts to create a bold flavor profile.
- Atlantis : Whether you are celebrating lost cities under the sea or shooting for low Earth orbit, take Atlantis along for the ride. We use a special blend of dark malts and add Galaxy, Cascade, and Calypso hops to create this smooth and hoppy black ale with just a whisper of cherry-wood smoke. We think Poseidon would approve.
- Alaskan Imperial IPA (Pilot Series) : With three additions of Summit hops in the kettle and dry-hopped with Mosaic, Topaz and Simcoe, this fairly dry brew is extremely aromatic. You may detect notes of Asian pear, passion fruit and pine, with a maltytoasted nut and toffee aroma. The “juicy” hops taste combines with strong herbal notes, and complex tropical fruit to balance against the delicate malt build in this beer.
- Moorgate London-Style Porter : The most popular style of beer among the working class of London in the 19th Century, our porter takes the style back to its original roots as an easy-drinking brew that will have many similarities with our Northern English Brown Ale, but will show more of a bready and biscuit flavor and less maltiness. The porter also finishes with decidedly more dark roast character and slightly more body.
- Cashmere : Strong, dark & seductive Belgian-inspired quadrupel with 7 different malts. Complex & vinous palate of plum, fig, cherry, caramel, marzipan & a dusting of cocoa. Fermented in our open fermentation vessel.
- Rot•In•Hell Pumpkin Sour : Hoards of helpless pumpkins were viciously plucked from the vine, carted through the dark hollows, and brutally slaughtered on the crisp, cool All Hallows’ Eve of 2014. Their corpses forcefully turned inside out with a cleaver, to expose their juicy, tender flesh. The results of the aftermath then laid bare, atop hellish flames rising from the underworld, as their meat was meticulously charred to unveil their tantalizing flavors. All in preparation to meet their final maker and liquid tormentor. An experiment in mixed strain fermentation, the precious wort was first soured with lactobacillus, and then progressed to primary fermentation with the addition of a savage Belgian yeast. The resulting concoction was then laid to rest for nearly a year, oak barrel aged with a blend of roasted pumpkins, spices, and a third yeast addition of Brettanomyces from 3 Fonteinen. Resign yourself and accept your fate to (try) Rot•In•Hell.
- Porpora : Hoppy bock beer, bright red in colour with ruby – red tinge. Taste of caramel and herbal hoppy notes are followed by scents dried fruit and a well balanced sweetness of malt and bitterness of a big amount of hops.
- Monks' Ale : Monks’ Ale is distinctly fruity and spicy. The yeast lends a note of clove and in combination with the malt, hints of plum and apricot. The malt itself provides a honeyish quality up front, a round fullness in the middle, and the hops, together with our pure brewing water, lend a clean, dry finish.
- Roseway Red : A hoppy Red Ale with a dark undercurrent of roasted barley. Unfiltered, unpasteurized.
- Burdock Meube Noir : Dark flanders-style barrel fermented sour beer
- What We All Want : This is a Foreign Objects New-American Hoppy Ale. You can't trust the God you trusted, so trust our waves of flavor instead...Mosaic and Azacca hops give you what you need to fill your time...huge aromas of citrus/grape, kiwi, passionfruit, and resinous American hop intensity spins this wheel! It's not for lack of trying...could you be happy with something else? In this case what we want is in fact what we get...
- 713 Balsamic Stout : We infuse our award-winning Oaked Stout with balsamic reduction for a flavour of dark fruit and a subtle tartness.
- Red Rock Special Bitter : The Bitter style came from brewers who wanted to differentiate these ales from other mild brews, enter pale malts and more hops. Most are gold to copper in color and are light bodied. Low carbonation. Alcohol should be low and not perceived. Hop bitterness is moderate to assertive. Most have a fruitiness in the aroma and flavor, diacetyl “butterscotch” can also be present in small amounts. Red Rock serves this on nitro.
- The Huntress : An interesting blend of American hops bursts with notes of grapefruit, tangerine, and floral aromas.
- Pillars Pale Ale : Easy drinking with a creamy white head and light golden color. Hoppy aroma, first sip tasting fruity hops and a little crystal malt. Finish with fruit and malt.
- Blackcap Raspberry : This NW style sour blond ale was barrel aged for 28 months before spending an additional two months on 300+ pounds of Black Cap Raspberries: think Nouveau Beaujolais with raspberries. Vinous then sweet aromas of tart raspberries are the first to be noticed. Sharp, acidic notes of tart berries and leather on the palate lead to a sharp, dark berry presence and a finish with a prolonged dry fruit note.
- General Young's Imperial IPA : General Young’s Imperial IPA is a West Coast style imperial IPA packed with resinous and fruity hop aroma from General Young’s proprietary five-hop blend of carefully selected Northwest grown hops. Years of brewing IPAs, along with drinking them, has given our Great Leader, General Young, a unique perspective into the art of hop blending that can result, as it does here, in a full-bodied, strong IPA with intense aromas of pine, citrus, and fruit.
- Smoke & Dagger : Cloaked in mystery, this dark black beer skirts the line between a schwarzbier and smoked porter. The use of a small percentage of traditional Beechwood smoked malt adds complexity and balances the liberal use of chocolate malt. Notes of roasted grains, beechwood smoke,and coffee accompany a full bodied-and sweet chocolately malt character. Smoke & Dagger uses locally grown unmalted barley from MA.
- Vulgar Display Of Power : We will make everything metal, we will make it blacker then the blackest black times infinity. Fire and brimstone coming down from the skies. Rivers and seas boiling. Forty years of darkness. Earthquakes, volcanoes. The dead rising from the grave. Human sacrifice, dogs and cats living together... mass hysteria. 13%abv 111 IBU 100%metal
- Schwarzbier : This variant of a munich dunkel has hints of roasted malt and subtle sweetness that is paired well with a smooth medium body and clean finish. While the appearance is dark in color light beer drinkers need not be afraid as this beer is very approachable for anyone.
- Vision Weiss : A special treat with a light palate, rich body and fruity tones. Light clove and lemon aroma are gently laced with banana. Vision Weiss is served absolutely unfined (and, of course, unfiltered).
- Single Batch Series - Barleywine : This beer is a blend of Old World influence and modern day ingredients and technique. Domestic malt and distinctly American hops produce this rich, full bodied ale. On top of it all, this beer was barrel-aged in charred oak bourbon barrels for over eight months. The end result is an unfiltered dark ruby colored ale with very intense aromatics.
- Belma New England Style IPA Double Dry Hopped : This double dry hopped fruity IPA is a hazy New England style charged up with the Belma hop variety! This dual-purpose hop is found to have an ambrosial mix of strawberry, fresh-picked melon, candied orange peel, and boasts a soft, creamy body with a juicy hop finish!
- Wild Sour Series: Flanders Red : Flanders Red is an acidic, sour ale with an initial impression of tart cherries and sour candy that dissipates into a complex palate displaying both a sharp lactic sourness with a backbone of caramel and biscuit malt profiles and minimal hop character. The dry, wine-like finish accentuates the complex malt profile and bright fruit notes showcased in this brilliant red colored hybrid of a modern Flanders and a German-style sour.
- Part Time Model : A hazy New England DIPA bursting with bright flavors of grapefruit and lemon. 
- Fruity Cedar Box : Grand Cru Sour Ale Aged in Oak Barrels with Mixed Fruit
- Soursop Berliner Weisse : A tart, light-bodied ale brewed in the Berliner-style Weisse bier tradition, this uniquely Cigar City Brewing offering is brewed with soursop, a fruit that adds flavors similar to those of pineapple and papaya. Its light body and low alcohol make it a perfectly sessionable tart beer.
- Riwaka IPA : Riwaka IPA (6.5%) is our single hop IPA focusing on the NZ Riwaka hop. Riwaka has extremely small acreage and is next to impossible to get outside NZ and Australia. It has strong passion fruit and citrus character. It took a lot of work to get this hop and we are definitely nerding out over it.
- Tiki Tack : 100% Brettanomyces fermented Gose with Passion Fruit and Guava.
- Funky Greens : IPA brewed with a proprietary strain of Brett from Nashville's own Bootleg Biology. Very fruity, full of pineapple, grapefruit, and peach with a finishing bitterness.
- Passiflora : Foudre Ale brewed with pink peppercorns and passion fruit.
- Tuatara Tu-Rye-Ay : Like the lyrics to Dexys' famous song, rye refuses to be forgotten. 2016 sees the return of this limited edition brew. Plenty to sing and hop to, we’ve taken a classic American pale ale and added some backing singers to create a beer with a darkly roasted, robust body. Rich chocolate and caramel malts mixed with spicy rye and Amarillo hops. You’ve grown, so grown.
- Beatrix : A hoppy, floral saison made for spring with crisp bitterness and dry complexity made with unmalted wheat, Demerera sugar, and a new breed of hops called Delta- a mix between traditional English Fuggles and American Cascade hops.
- Grapefruit Rose : As part of our sour series for 2018, this draft only tart brew offers a refreshing flavor with hints of citrus. On the nose and palate, you’ll get notes of grapefruit and lemon blended with fresh roses. Enjoy!
- Sleeman Original Dark (50*) : An all malt ale, Sleeman Original Dark is brewed from a combination of roasted barley malts, English Aroma hops, and deep well water. Its unique flavour has become a trademark in the Sleeman lineup.
- Tippy Toboggan : Brewed with rye, European specialty malts and Czech Saaz hops, Tippy Toboggan is an old-world ‘Roggen Bier’, a distant cousin to our Weiss bier. With a fresh fruity aroma and a complex nutty/spicy malt character,
- Cherry Busey : Cherry Busey is a Flanders-style Oud Bruin Ale produced using a complex cocktail of wild yeasts and aged in a bevy of barrels. A multitude of Montmorency cherries were lovingly liberated to give the beer its tart cherry tang. ABV: 6.9% IBU: 23
- Anniversary Barley Wine Ale : Rich and complex, this all malt barley wine exhibits hints of dried fruits, toffee and caramel balanced by an abundance of American hops.
- India Pale Ale : This bright, golden IPA overflows with juicy hops, showcasing a sublime blend of tropical citrus, grapefruit and mango aromas.
- Calabaza Boreal : Collaboration with Anchorage Brewing Company. Ale brewed with grapefruit peel, juice, and peppercorns. Oak barrel aged and bottled conditioned.
- Cumbrian Five Hop : A well hopped Golden Ale brewed with 5 English and American hop varieties, including Golding, Citra & Amarillo. The full, biscuity taste of English Maris Otter barley marries floral, spicy, orange marmalade, herbal hop flavours to produce a complex, flavourful modern beer.
- Huger Street IPA : Our downtown Charleston version of a wheat India Pale Ale has a generous and inviting head that releases a sneak peek to the complexity beneath. Now, close your eyes and inhale the flora of Chinook hops which introduce you to the unique aroma of confederate jasmine, followed by subtle wafts of citrus and flowers provided by the Citra hops.
- Vanta Black IPA : Don’t be fooled by the darkness of this danky goodness. This resiny IPA will change the way you think about dark beers. Continuously hopped and whirlpooled with a blend of Cascade, Centennial, Chinook, Citra, Cluster, Columbus, and Crystal hops.
- Deadfall Ale : Dead timber is incredibly important to the forest. Fallen trees make up the complex collage of the forest floor and enrich the soil with nutrients. This ale is brewed to have a rich malt body and an earthy aroma that is sure to remind you of hikes through the woods.
- Russian Imperial Stout : Our Russian Imperial Stout has been aged for 1 year. It's big, rich & bold with flavors and aromas of coffee, dark chocolate, caramel, and dark fruits.
- McCasey : Dry Irish Stout on NITRO, 5.0%abv, Inky deep brown with a beige head, fudge and baker’s chocolate notes. Smooth for a dark beer, hops are almost nonexistent. Fine roasty flavors with creamy mouthfeel.
- Cherry Festive Ale : Cherry Festive Ale is a beautiful malt and fruit ballet featuring local cherries from King Orchards in Kewadin. This beer was designed specifically to mingle with the fruit and not be overwhelmed by it, weaving a flavor profile that allows both the malt and cherries to have their day in the sun. Then we thought we'd go a couple of steps farther and lay it down on Madagascar Bourbon Vanilla Beans and age it in Traverse City Whiskey Co. Bourbon Barrels. The end result is a warm, comforting and complex barrel aged brew worthy of our local city wide party we call The National Cherry Festival.
- Hogarth : Hogarth, a strong ale blend aged in apple brandy and bourbon barrels - big, malty, caramel backbone; assertive rye spice; sophisticated, intricate symphony of bourbon, toffee, and dark fruit flavors.
- Redheaded Step Brewer : DSBC’s twist on a traditional Red Ale, featuring Caramel and Chocolate Malts, resulting in a darker color and pleasing aroma with minimal hop bitterness.
- Tank Ride : Our Russian Imperial Stout is rich, complex and velvety smooth. Boozy without being overpowering, the chocolate and roasted malts take center stage and provide for a full bodies taste experience.
- The Best : Easy drinking light session beer made with 100% Marris Otter base malt and East Kent Golding hops, the premium malt and hop combination of England. Appears goldent in color with a lasting off white head. Aromas of caremel and bread. The distinctive EKG noble hop character hits you first, followed by flavors of a light fruit. Slightly bitter with earth and a lingering light caramel finish.
- Grape Squish - Cabernet Sauvignon Grapes : Fruited sour ale fermented on Chardonnay grapes and conditioned on Cabernet Sauvignon grapes.
- Scratch Beer 217 - 2015 (Dark Lager) : During a field trip to the Deer Creek Malthouse outside West Chester, PA one malt variety led to one question: If it was roasted a bit longer, would it make the barley richer in flavor or scorch it to death? We’re excited with the results in Scratch #217, a dunkel-style dark lager. Deer Creek’s “Double Dutch” malt coupled with noble hops results in a smooth, rich, and complex dark beer. It combines a slightly dry chocolate note and bready sweetness with a well-rounded, crisp character without the “weight” of a porter and stout. Prost!
- Schlafly Quadrupel : Our Quadrupel features notes of stone fruit from a Belgian abbey yeast strain and the taste of sweet toffee from a touch of Belgian Candi syrup. This mahogany-colored ale is fermented with a distinct Belgian abbey ale strain, then bottle conditioned with extra sugar and yeast for at least two weeks. European hops add balance to the sweetness of the malt and yeast.
- Black As Midnight On A Moonless Night : Brewed with coffee, lactose, mango and passionfruit.
- Passion De Marrone : Rosso E Marrone blended with passion fruit Pilsener. For 2015 Belgium comes to Cooperstown festival at Brewery Ommegang.
- Feast Of Fools : In medieval times, the celebration of darkness and light was marked with great halls filled with smoke and mirrors. Gilded goblets brimming with seasonal brews were lifted to lips speaking a language no longer known. The present connects the past through the brewer’s art and a beer of utter darkness is born - Feast of Fools Raspberry Stout. Gather thy friendly fools for a round and celebrate the oncoming darkness with sweet ale and glee.
- Fat Angel : Fat Angel, rest his soul, had a complex palate that balances the rich pleasures of malt with the crisp refreshing flavor of hops with a finish that is fresh and clean. Eminently drinkable, Fat Angel brought divergent tastes together to create a satisfyingly smooth harmony.
- Octoberfest Beer : The character and complexity of Harpoon Octoberfest comes from the malt and hops. When looking at a freshly poured Harpoon Octoberfest, you will notice the garnet-red color with a firm, creamy head. The beer’s color is from a blend of Munich, chocolate, and pale malt. The thick head results in part from wheat malt added to the grist. The hop aroma of this beer is not overpowering but it is present. Tettnang hops add a subtle spice nose that blends with the malt character. This beer is full-bodied, smooth, and malty. Willamettehops are used to provide a gentle bitterness and to balance any residual sweetness present from the malt. The finish is soft and malty with a mild bitterness.
- Saranac Disruptio[N2] [Nitro] Brown Ale : Disruption is a nitro infused Brown Ale, brewed with a distinctive mix of caramel and chocolate malts. Northern Brewer and Eastern Kent Goldings hops balance the deep maltiness, imparting their own rich earthy-fruitiness.
- Morning Session Stout : As complex as it is dark with additions of Mississippi Mud coffee, locally-procured maple syrup and a house-made vanilla.
- Permutation Series #33: Double IPA with Vic Secret & Citra : Permutation 33 present a milky light straw color with a slight orange hue. A dank nose of mango skin, honeydew, bright hop, strawberry, and lemon leads into a palate of cantaloupe, grapefruit pith, and fresh hop. Permutation 33 has a full body and mouthfeel.
- Tip Of The Cap English Mild : There are 11 different grains and sugar in this beer, giving it the complexity and similarity to a barley wine grain bill, but it only clocks in at 3.6% ABV. Very faint nuances of dark fruit, caramel, toffee, chocolate and coffee, with just enough earthy English hops for balance; get the flavor and drink more than one. 
- Barabbas Nr. 57 : This Belgian-style Dubbel is dark and dangerous with pockets full of stolen fruit, guilty as sin and yet more popular than Jesus among the people.
- The Bottle Imp : The Bottle Imp is a strong, dark, roasty and rich creation. This rendition of a Russian Imperial Stout is also infused with a blend of Mexican and Ethiopian fair-trade organic coffee. Complex and contemplative, and with well-integrated alcohol warmth, The Bottle Imp is best served in a snifter, sipped slowly and savoured.
- Sussex Dark Mild : A dark malty mild. Ideal sustenance when there is physical work to be done. Harveys awards for Milds date back over half a century and this style of beer enjoys a long heritage at the brewery.
- Persephone Porter : A robust porter. Sweet caramel flavor is balanced by hints of chocolate and coffee. Dark as Hades.
- Funkier Pumpkin : Never content with brewing "to style," our brewing team's approach to Funkier Pumpkin is far from your standard take on pumpkin spice beers. Choosing to focus on the complexity that brettanomyces can bring to a beer, Funkier Pumpkin offers subtle pumpkin flavor accented by traditional spicing in a beer that showcases the hallmark earthy/forest floor notes of our house wild yeast strain.
- Dark Apparition - Figgie Smalls : Dark Apparition aged in Tuthilltown 4-Grain Whiskey barrel with figs, brett, and lacto.
- Firefly Nights : "I created this beer as a reflection of the summers of my childhood growing up on the Eastern Shore of Maryland. Two of my favorite things to do was chasing fireflies with a mason jar and indulging in the sweet nectar of the honeysuckle flower, which grew wild throughout my neighborhood. My favorite time of the year is when I see fireflies for the first time and it takes me back to that period in my life. This light, crisp, refreshing summer ale with the sweet, fruity, floral flavors of delicious honeysuckle pays homage to those warm summer evenings when life was so simple. And of course, it must be served in a mason jar! Enjoy!
- Protocosmos : Protocosmos combines the crazy, fruity awesomeness of Australian Galaxy hops with the bright, citrusy qualities of American Ahtanum & Centennial hops. The dry, cracker-like malt body is super-saturated with hop flavor & aroma, allowing you to revel in the diggity dankness of these absurdly expensive hops without any sweetness to harsh your mellow.
- Hurdy Gurdy : Our second entry in the Lone Pelican series is a rare German variation on Weissbier called Roggenbier. Named for and inspired by one of our brewers, Hurdy Gurdy uses malted rye in place of malted wheat to create a beer that is decidedly malty and spicy. With an aromatic nose of fruity character from the German style yeast, spicy character from the rye and floral notes from the Hersbrucker hops, Hurdy Gurdy finishes well attenuated and soft in the finish.
- Medieval Ale : Mahogany brown color, slight fruit aroma, light body.
- Stock Porter : Staying true to original porter brewing techniques, Telegraph Stock Porter is dark and complex, yet eminently drinkable, revealing a tantalizing combination of coffee, vanilla, and chocolate aromas married to a fruity, refreshing acidity. The name "Stock Porter" was the moniker 19th century pub keepers gave to the more expensive Porter that had been aged in their beer cellars, as opposed to "Mild Porter", which was a less complex, less expensive, and less characterful brew.
- Scratch Beer 234 - 2016 (Belgian Style Pale Ale) : Although typically not as bitter as its hopped-up American counterpart, the Belgian Pale Ale displays prominent sweet and malty overtones. The addition of coriander and black pepper provides a hint of zesty lemon and spice, while La Chouffe yeast delivers fruity esters of apple, pear, and a touch of ripe banana. A variety of European hops complement the fruity attributes of the yeast, adding shades of earthy herbs, citrus, spice, and wildflowers.
- Chico King: Pale Ale (Beer Camp Across America) : 3 Floyds has a reputation as the Midwestern kings of alpha (hops), and it seems that one of our beers helped to lure them down the lupulin-paved path. Chico King is a mash-up of our mutual passion for hoppy pale ales and combines a uniquely robust malt body with intense citrusy and fruity new school hop varietals.
- Mass Ave IPA : Fermented with our ale yeast. Balanced sweetness from Munich malt makes way for lots of El Dorado hops. Features tropical and candy fruit notes.
- Peril Aged : Aged six months in Chattanooga Whiskey Barrels, Peril Aged is full-bodied with a hefty dark malt character, ample chocolate notes and a striking black cherry presence. Dried, dark fruit & a distinct oak flavor flank its warm, balanced booziness.
- Hop Nectar : This beer starts off with a huge nose of Pineapple, coconut and papaya. The smoothie like body is the first thing you notice as it tumbles onto the palate followed by notes of melons and navel oranges. This finish is a perfect mélange of fruit nectar character and subtle bitterness that balance the beer as a whole.
- Saloon Boss Brown : A sip of this Bold medium bodied brown ale will take you right back to the heyday of Buffalo. We wanted to mix the bittersweet flavors of chocolate with a host of nutty flavors, while capturing the elegant flavor of beer that made Buffalo the beer brewing capital it once was. My business associates and I are all in agreement that this brew did exactly that!
- Wine Barrel Aged Spectral : Subtle notes of black cherries and dark chocolate lead into flavors of cabernet sauvignon with a strong tannin structure and finish.
- Pas Trappiste : Crisp, delicate pilsner malts give this a subtle fruity, floral character & a touch of malted spelt gives it a light, nutty accent. Balanced & refreshing with a dry, mineral finish. Fermented with trappist ale yeast for underlying complexity.
- Stone / Beavertown / Garage Project - Fruitallica : Glorious-crank-it-to-‘11’-cacophony is what happens when intense tropical fruit gets a flashpot addition of pyrotechnic heat from habanero. The result is a literal world tour, as three globe-trotting breweries collaborated on this immensely thunderous soundstorm of a beer.
- July 11th IPA : Brewed on 7/11 with Cycle Brewing and inspired by everyone's favorite convience store slushies, "July 11th IPA" drops this week. Brewed with dragon fruit, Belma, El Dorado, and Mosaic hops plus some lactose sugar, this hazy/milkshake IPA has balanced flavors of fruit punch, hops and sweetness from the lactose.
- NULA (Passionfruit) : NE Style Tart Pale Ale w copious amounts of passionfruit. Heavily dry-hopped with our best hops Galaxy & Citra. Drinks like hoppy tropical mimosa. Hazy, tart, really nice balanced acidity. So juice.
- Punk IPA : Our scene-stealing flagship is an India Pale Ale that has become a byword for craft beer rebellion; synonymous with the insurgency against mass-produced, lowest common denominator beer. Punk IPA charges the barricades to fly its colours from the ramparts – full-on, full-flavour; at full-throttle. Layered with new world hops to create an explosion of tropical fruit and an all-out riot of grapefruit, pineapple and lychee before a spiky bitter finish, this is transatlantic fusion running at the fences of lost empires. Nothing will ever be the same again.
- Wematanye : This is a modern Golden — not to be confused with appeasement for the “Golden Suds” drinker. We’ve built this one hoppy but we think you’ll find it extremely balanced, incredibly drinkable, and complex enough to return to multiple times.
- Greasy Beaver Brown : This American-Style Brown has hints of chocolate and finishes with a very noticeable hoppiness. Could be described as a dark pale ale.
- Scratch Beer 114 - 2013 (Abbey Dubbel) : Scratch Beer historians might be surprised to learn that we’ve never, in fact, released a bona fide Abbey Dubbel. While we’ve released countless Belgian-style Brown ales over the years under the Scratch series, this offering is the first true representation of the style that originated in the Trappist Abbey of Westmalle during the mid-19th Century. The robust body and ample mouthfeel of Scratch #114 gives way to a pronounced dried fruit flavor and muted bitterness, releasing a prominent blend of sweet caramel and raisin notes paired with a subtle yet tangy alcohol bite. The addition of Westmalle yeast (a Trappist yeast strain) provides the authenticity of a true Belgian-style Abbey ale.
- Scratch Beer 236 - 2016 (IPA-Hibiscus) : A standby in teas and juices, hibiscus flowers provide Scratch #236 with its lovely pinkish hue and vibrant floral aroma. A mix of spicy, fruity hops gives this IPA a berry-like tanginess with underlying tropical notes.
- Sleepy Dog Dunkel Weizen : A German style dark Hefeweizen with citrus, clove, and banana complementing crystal malts and noble hops. This one will have you sit and stay!
- Portsmouth Holidaze Porter : Has holiday shopping put you in a daze? Give this dark, medium-bodied porter a try. The use of ginger and honey makes this holiday beer unique.
- Slap Fight : Slap Fight will woo you in with a West Coast-style malt bill, but slaps you across the face with its tropical hop profile. Light in body, heavy in character, this IPA features Munich and Crystal pale malts for a clean, rich mouthfeel. Comet, Equinox and Mosaic hops lend a pungent herbal aroma, peppered with hints of papaya, orange and grapefruit. Present this beer to a friend. If he does not drink it immediately, slap him as hard as you can. Repeat.
- Low Rider : Low Rider is a session ale that straddles the line between English Mild and Bitter, but with an American twist. North American 2-row Pale Ale, Belgian Biscuit, and rich caramel malts from France were used for the grist, lending a nice bready malt backbone that perfectly balances a restrained herbal hop character. A small kettle addition of Dark BelgianCandi Syrup added a dash of color and subtle notes of burnt raison, while serving to help dry the beer out avoiding cloying sweetness. Instead of traditional English hop varieties, Warrior hops were used for their clean bitterness, and Vanguard was added as a flavor and dry-hop addition (post fermentation), lending a nuanced earthy spiciness. It was then fermented with our house yeast strain. To top it off, this is beer will be poured from our Nitro line, giving it a creamy smooth mouth feel mimicking the traditional cask ales of England. This pale copper brew, with its everlasting head may be low inabv but it still packsmadd flava in true Dogfish style. Cheers!
- Meer Koebel : Although similar to More Cowbell but with one big exception, Belgian yeast. Bright, spicy aromatics from the traditionally Belgian yeast strain will leap out of your glass and give way to the soft tropical fruit flavors.
- Arcadia Art Hops : A crisp, refreshing pale ale brewed with four types of hops and dried orange peel, this balanced and approachable ale is designed for maximum sessionability. A calm maltiness keeps things smooth while the explosion of hop and orange peel brings excitement. Fruity aromas of peaches, lemon, orange, tangerine, and a myriad of other fruits ride on top of calm, slightly bready malt. Simultaneously packed with flavor and restrained, this bright beer is flavorful enough to keep your interest, but not so powerful that it grows tiring. The finish is short and drying to keep your palate refreshed and ready for what's next.
- Arcadia Cocoa Loco : This triple chocolate stout is a unique interpretation of the style, combining three different chocolate malts, cacao nibs and 63 percent semi-sweet chocolate, creating a sinfully delicious brew. The addition of blackstrap molasses produces an earthy, caramelized tone in an already complex flavor profile. It's creamy, milkshake-like mouthfeel earns this beer the reputation of being dessert in glass.
- Wake Up Call Imperial Coffee Porter : Wake Up Call Imperial Coffee Porter has a distinct and robust coffee flavor that blends harmoniously with the roasted malts. Caramel, chocolate, and black malts give this ale its dark color and overtones of caramel and a cocoa-like sweetness. Only very gently hopped, the addition of coffee shines through, providing a delicious accent to this brew.
- Lithology Brown Ale : A malty full flavor American Brown Ale. Chocolate, caramel, nutty and toasty notes come from the Chocolate, Marris Otter and Victory malt. Three distinct hop additions give the Lithology Brown Ale a balanced profile without over complicating the taste.
- Scratch Beer 141 - 2014 (IPA) : We’ve been busy experimenting with many of our favorite hop varieties, ultimately working toward a new IPA recipe. The combination of classic and newer experimental hops from the U.S. and Australia paired with crisp Pilsner malt and chewy wheat has produced a wonderfully complex white IPA that exhibits plenty of bitterness and a broad spectrum of flavors running the gamut of sweet and fruity to piney and herbaceous. The addition of wheat provides Scratch #141 with its characteristic haze. ABV is 7.6% and IBU is 71. Availability: draft and growler fills only.
- Azacca IPA : Named for the Haitian god of agriculture, the Azacca hop boasts intense, tropical fruit notes. Azacca IPA includes a touch of caramel malt to provide a sweet backbone to the citrus, mango and orchard fruit notes in this 7% ABV, 70 IBUs beer. The label artwork symbolizes the god of agriculture watching over a field where the ingredients used to make the beer are being grown.
- Huitzi : A Belgian Strong Golden Ale, brewed with hibiscus flowers, ginger, thai palm sugar and local Chicago honey. Huitzi is a winter beer that doesn´t wallow in the dark cold days of this season. Like it’s namesake, the Aztec hummingbird god Huitzilopoctli who smashed the winter to allow the sun to return, Huitzi looks forward to the brighter promise of spring. We think of it as a winter cooler. As all our creations, this beer has it’s own Latin twist as it is brewed with flor de jamaica (hibiscus flower). The idea for this beer came when thinking about food and family gatherings. In Latin America, all family gatherings have something in common, “aguas frescas.” An agua fresca is fresh fruit or flowers diluted in water and (sometimes) sweetened. They are typically served at lunchtime in almost every restaurant in Mexico and Central America. The term means fresh water and their creativity and simplicity appeals to us. Aguas frescas represent a time with family, colleagues or friends as they gather and share a meal. A time to disconnect from the daily routine and enjoy food and conversation.
- The Abyss : A deep, dark Imperial Stout, The Abyss has almost immeasurable depth and complexity. Hints of molasses, licorice and other alluring flavors make it something not just to quaff, but contemplate.
- Coffee Well Rested : Our blended Imperial Stout. Comprised of our Imperial Smoked, and Imperial Milk stout aged in Heaven Hill whiskey barrels for 6 months. Then further blended with stainless steel aged Fork & Beans to round out the barrel character. Intense dark malt and barrel notes with a medium to full body. This variant is also blended to some fresh cold brewed North Fork Roasting Co house blend.
- Plump Cat : Juicy Citra combined with some of our favorite dank hops Columbus and Simcoe. Tropical fruit and citrus notes with a touch of pine resin. Moderate hoppy finish with a soft mouthfeel. This cat is thirsty!
- RAD : No one in their right mind would dispute it being... TOTALLY RADICAL. Sixpoint Rad is a unique blend of fruit juices with ale to create the original summer crusher. The first Sick Liquid form the MAd Scientists’ Laboratory - a refreshing take on what beer can be.
- Moras : Moras started life as a blend of two golden wild ales aged for several months in neutral French Oak puncheons. After blending the two beers we added a massive amount of blackberries and allowed the blend to referment the fruit to dryness over a period of 3 months before bottle conditioning. Unmistakably fruity in the glass with a garnet hue and notes of earthy spice, French oak tannins, and blackberry jam.
- Wee Heavy : Full-bodied Scotch-style ale with a distinct malty-sweet and fruity aroma and flavor. A light smokiness lurks in the background from the use of peat smoked malts.
- Ca$h 4 Golden Ale : Pipeworks is bringing the bling with Ca$h 4 Golden Ale. This Belgian inspired ale ain't frontin' with it's Pilsner malt base and hint of rye. Czech Saaz, German Tettnanger, and a blend of Pacific Northwest hops are stuntin'. But the number one stunna here is the Belgian yeast, stepping with notes of pineapple, tropical fruit, and a dry tart finish. We think this beer is the shiznit. Real talk!
- Pyroclastic Porter : A Robust Porter. It has a strong, upfront coffee aroma, with a dark cocoa finish. Brewed with Oregon hops to balance the bittersweet, chocolatey malt.
- Clown Juice : A decidedly light hearted take on a European classic. An extra pale body and subtle bitterness set the tone letting the speciality Belgian yeast shine, while Curacao Orange and Coriander add fruity, spicy notes. True to form we decided to clown around with sack loads of our favourite US hops in the hop back and in cold conditioning. The result is a beer to lift the spirits and make you smile, not one for the purists maybe but whoever took a Clown seriously?
- Size 11 : This beastly Triple India Pale Ale is the biggest of brothers to Size 7. Aromas of ripe Tuscan melon, honey dew and citrus explode at first sniff. Built on the same back bone, but doubled in all aspects. Malt sweetness up front, with a full mouthfeel, give way to ridiculously copious layering of hops. Wave after wave of citrus peel, grapefruit, honey dew melon and guava are pronounced from aroma, to flavor, to finishing bitterness. Warming but not hot, this one will definitely rock your hoppy world!
- Southern Hemisphere Double IPA : Featuring New Zealand hops Rakau, Pacific Jade and Waimea, this double IPA packs intense pine, herbal and citrus flavor and aroma with tropical fruit notes.
- Über Dunkel : It's more dunkel than dunkel - it's Über Dünkel. A malty, dark lager brewed from the second runnings of our Oharov Russian Imperial Stout, ÜD shares the same chocolate, coffee and toasted nut flavors. The hop selection leans "noble" with Sterling and Hersbrucker, traditionally used in European lagers, picked for their low bitterness, but spicy and earthy aromas.
- Boscos Midtown Brown : A classic English-style Nut Brown Ale. Sweet and malty with the nutty flavor of chocolate malt, this beer is flavorful yet easy to drink.
- The Mix: Cherry Funky Blender : Introducing a new line extension, The Mix. These blends will be our way to experiment with different base beers and fruit combos. Blends like East Bank with Apricots, Saison with blackberries and plums, or bourbon barrel fermented Biere de Garde with sweet cherries. This first blend is Cherry Funky Blender. We took the 4 cherry varieties we had left over from the 2016 season and added them to vintage barrels of Funky Blender for refermentation. The result is more acid forward compared to Cherry Fruit Stand. The sweet and sour cherries work great together. 
- Werewolf : Here’s a seasonal brew with added bite. Habanero chillies infuse our award winning Wolf dark ale with a spicy devilishness that will leave you howling for more. The perfect warming brew for Halloween and the Autumn months.
- Cereal Milk : IPA with fermented passionfruit, oats, and lactose. Special collaboration with PVDonuts.
- Liebotschaner Cream Ale : A refreshing beer that is brewed with lager yeast at higher a higher than usual temperature to give it a creamy ale like taste with a malty aroma. Lieb utilizes two varieties of pale malt and three varieties of hops, including imported Czech Saaz and American grown Mt. Hood and Galena hops. Delivers a pale straw color and a light. Crisp body with a smooth, creamy mouth feel. Its full flavor is balanced by spicy, fruity characteristics from the hop finish. 
- Dark Rye Lager : Full-bodied, dark rye lager. We brandy barrel age it for a sweet, slightly oaky finish. Available in specialty 22oz. bottles.
- Kölsch : Kolsch is characterized by a golden color and a slightly dry, subtly sweet softness on the palate, yet crisp. Light-bodied, low hop flavor and aroma and low fruity esters. 
- Modus Vivendi : Barrel ageing, blending and using different yeasts, this embraces our love of the unpredictability of wild yeast with the subtlety and complexity of maturation in oak barrels. A study in patience, it takes at least 90 days for the wild yeast to work its magic.
- First Cast : This beer is named for the first few moments of joy you get as you begin a great day of fishing on the river. As well, it was our ‘first cast’ into the fantastic Colorado beer scene! Using nearly 2 pounds of hops per barrel, this well balanced IPA has huge notes of grapefruit, citrus and pine, making it our everyday beer of choice.
- Scratch Beer 138 - 2014 (Belgian Style Brown Ale) : The flavor of Scratch #138 originates in the Abbey Ale yeast strain, which produces a distinctive fruity character similar to raisins, figs, dates, and prunes. As the flavor develops, the dark fruit character endures, adding traces of toffee, chocolate, caramel, and dark rum as well as subtle spices, roasted nuts, and toasted grains. The addition of Belgian Candi sugar and cane sugar boosts the ale’s sweetness, while Tradition hops offer a faint floral hop note that ties everything together.
- Park Loop Porter : We designed this beer for runners competing in a race in Warwick City Park, but we liked it so much it became part of our lineup. This robust porter stays true to its British roots with grains and hops chosen to keep with old brewing traditions. Each taste delivers a complex blend of subtle coffee and almond notes with a rich toasty flavor throughout. This beer was a winner and we feel confident that you’ll be won over too.
- Winter Warmer : When you bring a glass of this dark copper ale to your lips to take your first sip you will notice the aroma of cinnamon. There is no aromatic hop added that might overpower the distinct spice scent. The medium body of this beer is formed from caramel and pale malts. These create enough body to support the spices without making the beer excessively rich. Bittering hops are added to counter the sweetness of the malt and spice. The finish of the beer is a blend of cinnamon and nutmeg. The combination of these two spices results in a balanced, pumpkin-pie flavor.
- Harpoon Dark : A blend of specialty malts gives this beer a velvety mouthfeel with roasted notes and a hint of chocolate, balanced by a subtle hop aroma. Hard to describe but easy to drink, Harpoon Dark is rich in character and light on the palate.
- Oktoberfest : Millstream's Oktoberfest is similar to the our Munich style Schild Brau Amber, but it has more flavor, is maltier, and darker in color. A truly special beer, to celebrate the harvest, an important part of life here in Amana. Join us for the Amana Colonies Oktoberfest and partake of a pint yourself!
- Sea Dog Winter Ale (Cabin Fever) : A big rich winter ale that pours reddish-gold in color with an earthy yeasty nose. The pallet is complex with flavors from malt, hops and yeast well represented. It has subtle sweetness and a nice warming hop finish.
- Sea Dog Blueberry Wheat Ale : Our unique contribution to the fruit ale category features the nutty quench of wheat ale combined with the delightful aromatics and subtle fruit flavor contributed by Maine wild blueberries.
- Sea Dog Windjammer Blonde Ale : A refreshing, straw-colored ale with a fruity palate and a crisp finish. The intense aromatics of Cascade hops are balanced by the richness of traditional two-row British malted barley.
- Who Is Keyser Gose? Blueberry Lemon : This bright & tart German sour ale is brewed with rotating two fruits, producing a refreshing and fun beer. Light and easy drinking with a tart backbone. Seasonal Creep happens when we do any of the four varietals.
- Imperial Mocha Coffee Stout : A full-bodied double mashed stout with soft espresso like texture. Whole cacao nibs deliver a chocolate backbone and cold pressed coffee adds another layer of complexity to this very dark and incredible creamy imperial stout.
- Scratch Beer 136 - 2014 (Red Ale) : Beer enthusiasts have no doubt heard of the Irish Red Ale, a style that originated in early 18th Century Ireland, as well as the American Red Ale, a hopped-up variation on the style. Well, we’re always looking to put the Tröegs stamp on existing beer styles, and Scratch #136 definitely straddles the line between Irish and American, with a bit of German thrown in for good measure. Brewed with three malt varieties including the complex, robust Vienna malt, this Red Ale exhibits a pleasant toasty character amid sweet traces of caramel and toffee. However, Scratch #136 is aggressively bittered and further dry-hopped with German Northern Brewer hops to crank up the IBUs a few notches. The result is a cross-pollination of three distinct brewing cultures united into a single beer – a Red Ale for the craft beer enthusiast from either side of the Atlantic!
- Macadoodles Irish Style Red Ale : No Blarney - Our Irish Style Red Ale holds true to the traditional brewing techniques of the legendary red ales of Ireland. The use of five varieties of pale & roasted barley malts enhance the ale's complex, rich flavor and reddish hue. May the luck of the Irish be with you!
- Who Lives In a Pineapple Under The Meme? : Brewed with over 750 pounds of Pineapple puree, our Meme yeast, and a combination of Galaxy, Azacca, and Equinox hops, this beer presents a nose full of tropical fruit and pineapple sweetness. The flavor is full of some of the same before finishing into a crisp but balanced bitterness.
- Dorado Gold : Brewed exclusively with El Dorado hops, this dry-hopped pale ale was fermented with a combination of Saison yeast and Brettanomyces. Fruity, funky and hoppy!
- Gose - Passionfruit And Dragonfruit : This is our base Gose that is double fruited with passionfruit and dragonfruit.
- Wrath of Putin : In hushed tones, people remark on its orange copper colour. Some whisper that it's brewed with Pekko and Centennial hops. This ale may be double hopped to give it an intense hop aroma and a bitterness of 75 IBUs, and the bold among us may boast of its moderate fruitiness which provides the perfect balance. We may long to share that it weighs in at 7 %.
- Mighty Sparrow IPA : Brewed with sorrel giving notes of citrus, fruity hops with a sweet finish
- Hoppalachia IPA : Our pioneering IPA is a free spirit who ventures off the well-worn trail. She scored our Brewmaster a Silver medal at the 2001 Great American Beer Festival, and this beauty has grown up a lot since then. Pouring hazy orange-amber with a wispy head, our flagship IPA has Cascade, Simcoe, and other American hops, and is double dry hopped with Citra hops. Go nose in and delight over aromas of pine resin and tangerine, tropical bursts of midevening sunshine. The flavor profile is full-bodied—citrus, grapefruit, caramel, orange peel, bitter but with sturdy malt support. Hoppalachia will take you to the peak of the mountains feeling like you have finally reached your goal! Welcome to the land of Pioneers.
- Grumpy Old Time : Dark sour Belgian ale aged in apple brandy barrels.
- Trip V : Trip V delivers the comfort of cocoa and vanilla with a bold cherry twist. Bolstered by chocolate and caramel malts, this beer pours dark, reddish brown. New Belgium Brewer Andrew Sturm decided to go big with all three spices but achieved balance through a moderate amount of bittering hops. The result is a satisfying blend of chocolate, cherry, and vanilla delivered on a sophisticated bed of hops and alcohol.
- Double Dry Hopped Juicy Bits : We took Juicy Bits (our popular New England-style IPA featuring a huge citrus and tropical fruit hop character with a softer, smoother mouthfeel from the adjusted water chemistry, higher protein malts, and lower attenuation) and dry hopped it with more than double the amount of Citra, Mosaic and El Dorado hops, bringing the total hop rate up to more than 6 lbs per barrel, the most we have ever used in a single IPA.
- Steady Hoppy Pale Ale : Innovatively constructed, brewed in tradition, this hoppy pale ale is truly one for everyone. Designed with an unique blend of new age American Hops, this dependable treat brings forward notes of citrus and lemon grass. Light to medium in body it goes down smooth and easy, finishing crisp, with a kiss of fruity hops. Hold Steady and enjoy!
- Summit Sága IPA : Named after the Norse goddess Sága, drinking companion of the God Odin. With a divine tropical fruit hop aroma and clean, assertive bitterness.
- Salvo : Citra and Centennial hops produce bold citrus and tropical fruit flavors, which are layered with lemon and dill from one of our favorite hops, Sorachi Ace.
- Odd Notion - American Wheat IPA (Spring 2010) : This unique surprise cross-pollinates the classic American wheat beer with an American Pale Ale. What grows next is a fruitfully unfiltered union with a delightful hop aroma, a pleasant citrus hop flavor, and a beautifully balanced finish that leaves other ales hoppy green with springtime envy.
- Raven Cream Ale : R&B’s Raven Cream Ale is a dark, yet surprisingly light-bodied cream ale. Crystal, Whitbread Goldings, and Cascade hops are added to a carefully crafted blend of 2-Row, C-120, Roasted and Chocolate barley malts creating a truly drinkable beer with subtle nutty flavours and hints of chocolate. Raven Cream Ale is a two-time World Beer Cup medalist (silver and bronze), mellow enough for the casual beer drinker yet complex enough for the most discerning foodie.
- Trophy Husband : Saison with notes of pineapple to passionfruit. A marriage of American hops and Belgian yeast.
- Neon Lights : Neon Lights is a delicately complex hop-forward farmhouse ale. Huell Melon and Hallertau Blanc hops complement the funk from our blend of yeasts with notes of lemon rind, strawberry, and a hint of dank. Crisp with a refreshing snap of bitterness. A step beyond Liquid Crystal in our quest to refine the perfect quenching hoppy saison. Draft only, 30bbls brewed at Flagship in NYC, April 2016. Because we used German malt and hops, we named it after one of our favorite kraut rock jams.
- Spencer : SPENCER (The Dispenser of Provisions) is our annual fruit beer. In the early fall, we harvest wild blackcurrant fruit and add it to a batch of year-old SAHALIE. The sugars in the fruit produce another fermentation and the blackcurrant tannins create additional structure over the 8-month aging period. Prior to bottling, the beer is dry-hopped for a month in oak barrels. With close to 2 years in oak, Spencer has a much more developed Brettanomyces character than our other beers. Because of the extremely limited quantity of wild blackcurrant available, we produce only one oak barrel of Spencer every year.
- Mariënrode Triple : Mariënrode Triple is a blond high fermentation beer with secondary fermentation in the bottle. It is brewed with local malt and other locally harvested products. As soon as you poor this beer in our special Halen glass you smell the fruity aromas coming from the Belgian Abbey Beer yeast. Next there is a floral note, originating from the Belgian hops and touch of local spring flower honey. Finally there is the clear pleasant resounding malty character that balances with the bright acidity combined with natural carbonation that gives the sparkling zest to this beer.
- PM Dawn - Barrington Sumatran Ketiara : In another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, this is a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Char Smoked English Porter : A Smoked English Porter brewed with the finest British malts, hops and yeast and Alderwood smoked malt. Rich malty flavors of medium and dark caramel with a hint of roast barley integrates with complex layers of smoky goodness.
- Totes McGoats : An idea from Shaun's wife Alicia, this tasty Stout is brewed with oats toasted in her oven for a distinctive nutty flavor. It's roasty, smooth and delicious.
- Wit 'n Wild : Our World Beer Cup Gold Medal winning Witbier aged for five months in a California White Burgundy barrel with three Brettanomyces strains, pineapple, papaya and mango. Tart, very dry, complex and fruity from the slow work of the Brett and the fruit addition, this magnificent ale resembles wine more than beer! Only one barrel (~200 bottles) was made of this very special beer. Served bottle conditioned.
- Frost Bite : Traditional Belgian style winter holiday ale that delivers a bite on initial mouthfeel and a hearty warming character. Dark in color, medium-full bodied with notes of fig, apricot, raisin, caramel and spiked with sweet orange peel and chocolate.
- Ommegang / Liefmans - Zuur : A beautifully made, carefully blended, and well-aged sour beer, (it is aged on cherries) made in collaboration with Brouwerij Liefmans of Belgium. Ommegang brewmaster Phil Leinhart went to the Liefmans brewery in Oudenaarde, Belgium, and worked side by side with their master blender to create a distinctive beer unlike any other. Complex, lightly malty, tart, ruby color, with just a touch of hops. (Zuur means "sour "in Dutch).
- 4th Anniversary Ale : This barleywine was barrel-aged for 18 months in French oak with Brettanomyces Bruxellensis and Brettanomyces Lambicus. Only 4 barrels were produced and each barrel has been bottled as its own series and numbered by hand with each barrel slightly different than the next. A pleasant and distinct funky aroma leads into flavours of dried dark stone fruits and umami overtones, complemented with a dry, sherry-like finish.
- Baltic Trader : Baltic Trader celebrates the North Sea sailing ships that plied the fishing trade between British ports like Lowestoft, the Low Countries, and Scandanavia. Many a good herring was netted and eaten with an Export Stout like Baltic Trader! Smooth and rich with notes of fruit, roasted coffee, and vanilla.
- Dancing in the Dank : Roll up your sleeves, turn up the volume, and dive into this new union of citrus and dank. Dancing In The Dank IPA blasts Mosaic and Idaho 7 hops from the glass till they fill your sinuses with so much grapefruit, pineapple, and cheeba you can't help but dance a super awkward dad-shuffle. Honey-like malt character compliments this sweet fruity combination of hop, malt, and dad-rock to give it an almost fruity pebbles like profile. The huge body of this IPA cranks the juice-dial up to eleven and blasts these candied hops across your palate. Enjoy Dancing In The Dank while it's still around, but be warned, drink too much and you might untuck your shirt from your jeans and cut loose on a weeknight.
- Picture In Reverse - Mead Barrel-Aged : We took a small portion of this beer post fermentation and aged it in barrels we got from our friends at @melovino Meadery. These barrels were first used to age bourbon, then mead and finally our Old Ale. The mead barrels add another layer of flavor and complexity to this beer. (White Wax)
- Three Beavers Imperial Red Ale : A strong, malty red ale with an aromatic Cascade hop nose, red ales are becoming increasingly popular in the brewing community, as they can show off the complex malt profile of beer. It is brewed with a selection of roast barley, hops, yeast and fresh Canadian water.
- Red Swingline : A wild and sour session IPA. Brewed with three heavily fruity hops, coriander, and tangerine zest the profile is definitely American in focus. Aged in French Oak Chardonnay barrels with souring Lactobacillus, funky Brettanomyces yeast, and dry-hopped in each individual barrel. This beer is a definite wow moment.
- Arch Amber Ale : Hard water. Appropriate for a pale ale style, this gives something for the hop oils to stick to, and the right water chemistry and pH levels for a proper British style bitter or pale ale. Our water chemistry provides mineral flavor and body to complement the complex malt and hop ingredients that are drawn from the best of English, German and Pacific Northwestern U.S. traditions and sources. The mineral factor enhances the processing steps in mashing, sparging, boiling, fermenting and conditioning. The malt bill includes English 2-row Pale Ale Barley Malt and Malted Whole Wheat. Hops include Chinook, Hallertau, Cascade, Willamette and Tettnang. Shipyard's lively Ringwood culture (a top-fermenting "ale" yeast) is used to ferment the beer, as was the case when we brewed in Hartford.
- Glowsun IPA : Big, Lush, Hazy Double IPA. Notes of tropical fruit and citrus.
- Citra Rye : To create a bready malt backbone with a dry finish, we start this award winning pale ale with 2-row, Vienna, and Rye malts. This accentuates the Centennial and Citra hops added during the boil. The combination leaves you with enticing aromas of lychee, gooseberry, and passion-fruit. Our Citra Rye Pale Ale is balanced, crisp, and leaves your palate begging for more.
- Sporadic #1 (Wine) : This is a saison using spelt, oat, wheat, vienna and munich malt. A little bit darker in color, almost orange, with a firm acid profile.
- Breakside Soursop Wheat : "A blend of Belgian wheat beers that were all aged in inoculated Old Tom gin barrels. The blended beer was then aged for three months on soursop, a sweet and savory fruit from Southeast Asia and the Caribbean."
- Seneca Serpent : Big and bold! This rich blend of dark malts is smooth and silky on the palate with a hint of rye whiskey barrel making it very intriguing.
- Nut Brown Ale : A flagship beer of the Broadway Brewery, this hand crafted English style ale possesses an Earthy, nutty flavor. Light caramel color with a slight malty sweetness. This beer is a perfect introduction to our line of ales.
- Polonaise APA : This is an easy drinking American pale ale. It has a dark golden color and pleasant citrus aroma. The flavor starts off with a caramel sweetness and finishes with tones of grapefruit which lingers after each sip.
- Mosaic Saison : No complexity here - this saison is full of single-hopped Mosaics. Welcome back this test tap!
- Ruby : Blonde Ale brewed with grapefruit.
- Space To Face : A haze-laden IPA hopped with Galaxy and Citra, with lactose. Creamy and fruity at a crushable ABV
- Bobby Beer Jr. : Our straw-colored Kolsch is light, crisp and refreshing. The easy body, fruity nose and dry finish make it perfect for relaxing with friends.
- Blanche De Rachelle : The Blanche de Rachelle™ is brewed in the style of a traditional Belgian Witbier. It is effervescent, hazy blond in color, and displays notes of freshly picked fruit upon a foundation of locally grown wheat. Rachelle Blanche is a light, easy to drink Ale with a crisp, dry finish, belying a subtle alcoholic strength that is a hallmark of traditional Belgian Style Ale.
- FLOAD : FLOAD is a Dark American Sour Ale brewed with raspberries. Very dark in color with a red hue and mauve head, this beer smells of fresh fruit, sour raspberries, and a hint of chocolate. Leading with an intense raspberry tartness, FLOAD is complemented with a light chocolate malty backbone. The finish is dry with lingering sourness.
- Forklifts Are For Mitches : The beer was inspired by Mitch's long journey from CO to MI on his forklift. Some say he drove it the whole way. Others say the forklift has magical powers and flew high above your peasant minds. To this day tales of his journey are told to young wide eyed brewers while standing around barrel stacks. Many say they are simply fairytales, some claim to have witnessed them first hand. All we know for sure is that the legend of Mitch and his forklift will forever live in the darkest cobweb covered corners of barrel rooms around the world.
- Derecho : "Derecho" - A powerful T-storm to break the summer heat. Elements of a refreshing farmhouse beer mixed with much richer, stronger undertones. This Farmhouse ale brewed with lots of Local Buckwheat Honey & fermented with our honey yeast in oak (only 2 weeks) is dark rust in color. The aroma is toffee, milk chocolate, hazelnut, raisin bread, molasses, dark honey- brown sugar- slightly gamy & buckwheat. Flavors are: roasted malt, honey, light coffee, oak, slight molasses, & rye bread. It finishes very DRY, but with an impression of a smooth, almost sweet dubbel. Perfect for a rainy summer day.
- Moat Belgian Tripel : A pale to amber colored Belgian inspired ale with yeast highlights of spice and fruit. The addition of Belgian candy sugars adds potency and crispness and a wonderful caramel tone to this seasonal ale.
- Arbre Dark Wheatwine (Light Toast) : We brewed a dark, decadent wheatwine-style ale with chocolate wheat malt to accentuate the richness imparted through barrel-aging. We then divided the beer into three components, laying each down in new American oak barrels with varying degrees of barrel toast and char. This release showcases the toasty, cocoa and woody spice notes contributed from aging in lightly toasted oak barrels. Taste it side-by-side with its medium toast and alligator char counterparts to bring the barrel-aging journey full circle.
- Bristle IPA : The IPA is the flagship Bo Bristle brew. The recipe was crafted over a number of years by our master brewer. The IPA balances passionfruit & tropical fruit hops with biscuity marris otter malts to create the distinctive Bo Bristle taste.
- Midnight Run Dark Lager : Aroma: Iced coffee, balanced noble hop aroma that belies its dark nature, hidden under a white frothy head.
- Crazy 8s Annu-ale : Phillips is a hop-happy brewery, so as an eighth anniversary present to ourselves, we have whipped up a batch of beer that has hop flavour for days. We've blended some of our favourite hops and added them at various stages of the brewing process, resulting in the best kind of bitterness, something akin to a delicious grapefruit pucker. We've also poured in a healthy dose of Babe's Honey into the brew, yet the result is not an expected sweetness; the honey gives the Annu-Ale an extremely dry finish.
- Morning Joe : A Breakfast Milk Stout brewed with bold flavors of chocolate & coffee which make way to a smooth essence of oats & lactose milk sugar. Made with fresh cocoa nibs from award winning chocolatiers, Fruition Chocolate, located in the Catskills and locally roasted whole bean and cold brew coffee from Gentle Brew in Long Beach, Long Island. This luscious beer satisfies the senses while keeping you alert!
- Help! On The Way! : The fourth release in our Science is the Art Collection leverages mangoes and tropical hops to create a fruit bomb that combines the extra body and creamy richness of the Double IPA with the addition of lactose. Turn the can upside down before opening for increased hazy appeal. Or don’t. Either way, it’s a flavorful and aromatic trip into the cosmos.
- Zoe : Our take on an American amber ale. Complex malt bill delivers notes of dark raisin, chocolate and biscuit. Copious additions of American hops yield notes of pine and citrus.
- Salvator Doppel Bock : This unfiltered bottom fermented double bock beer has been brewed for over 375 years--always adhering to the original recipe. The taste is unmistakable, with its smooth chocolate flavor, robust dark caramel maltiness and a light note of hops--providing a nice intensity on the palate.
- Schnickelfritz : The unmistakable characteristics of this Bavarian Weissbier are achieved with a yeast that is decidedly fruity and phenolic. You may note clove, nutmeg or even vanilla and/or banana-like aromas and flavors.
- Freaky Peach : Oh wow. They say the nose knows, but Freaky Peach pulls a fast one. Its aroma promises charred caramel and grilled stone fruit, but the flavor delivers waves of bright peaches, spun sugar and whiskey sour. It’s young. It’s tart. It’s super-freaky.
- Stellar Wind : Stellar Wind is a huge Triple IPA that drinks like a session. Big fruity nose, dry hopped with Motueka, and Citra.
- Dr. Valentine : This Imperial Red IPA is deep amber to dark copper in the glass and offers light hop citrus and toasted malts on the nose. Fresh hop bitterness and malts are well-balanced and smooth with a lingering bitter finish.
- Burdick Stout : Dark and Mild. Approachable with personality. We love this beer. We will brew a few batches in fall and Winter months. 
- Subtle Alchemy 003 : There are many pieces to blend number 3. The overall theme is an expression of hops and citrus through time and mixed fermentation. Zest from lemons and oranges, multiple independent dry hops, and very small amounts of apricots bring this blend to life. Ranging in age from 12-24 months this blend has brightness and depth. Tasting notes includes citrus, overripe fruit, stone fruit, and tart.
- God Damn The Sun : Intense Oatmeal Milk Stout for the eternal moments when darkness is the only comfort to be found.
- El Dorado Oat Pale : The latest iteration or our single hop oat pale ale featuring El Dorado hops. Oats lend a smooth, creamy body while the hops add flavors of peach, mango and other tropical fruits with light, balanced bitterness.
- Plum Recluse : A light and fruity beer, this is our blonde ale base with the addition of plums.
- Aprikosen : A tart and crisp ale soured with lactobacillus, enhanced by the subtle fruitiness of apricot.
- Maquinista : Deep golden in color with a reddish hue, the hoppy nose contains beautiful citric and tropical fruit notes. The well-rounded body brings balance to the lingering fruity and bitter finish.
- Brünicorn #6 : Brüniorn VI is a Flemish Brown. Thirty months on oak lying, waiting and maturing. Finally, with hints of spring on the horizon, the time was right to rack this beer and let it see the light. Brewed in 2015, this deep garnet hued ale is reminiscent of those found in Flanders and showcases a light bready malt character, subtle stone fruit and dark brown sugar, with touches of burnt toffee and cocoa, a moderate oak tannin and vanilla finish. Brettanomyces, lactobacillus and pediococcus lend their distinct profiles to this 6.4% ABV ale with a prickly bright acidity and subtle funkiness.
- Black Mountain Beer : Inspired by a long Bavarian tradition, Black Mountain is an unfiltered dark lager. Full-bodied, Black Mountain’s taste is a careful blend of dark and caramel malts, imparting balance to the yeasty flavor. It’s a beer for hearty appetites. Try one today!
- Travis' Choice (2017) : Travis' Choice is a limited release beer specifically for the Travis Roy Foundation annual wiffle ball tournament. Part of proceeds will go directly to support the foundation. This awesome Vermont IPA is brewed with Amarillo and Simcoe, light, hazy, tons of orange citrus and stone fruit notes.
- Local's Stash Reserve Series Black Barleywine Style Ale : This black beauty features a grain bill that is as immense as it is dark. With a deliciously chocolaty aroma, this Black English style Barleywine has dark malt and chocolate flavors that accompany the high alcohol percentage associated with the style. Very similar to an Imperial Stout.
- Aventureux : Aventureux (meaning Adventurous in French) is our Belgian Style Stout aged in Whiskey barrels. This beer is brewed with German Pale Ale malt, Chocolate malt, roasted barley, Black malt, oats, and dark caramelized candi sugar, then aged for 6 months in Rye Whiskey barrels from our neighbors at New England Distilling. The toffee, chocolate and vanilla nose is followed by a smooth bitter chocolate aroma and flavors of whiskey and wood. The finish is dry, roasted and warming.
- Hot Lil Tart : Fruited Berliner with chili peppers.
- Bruery Terreux / J. Wakefield - Taking My Talents To: Anaheim, California : Believe it. J. Wakefield Brewing has taken its talents to Anaheim to collaborate on a winning recipe with Bruery Terreux. While the distance from Miami to Anaheim could seem fairly restricting, the decision to brew an imperial Berliener Weisse was low hanging fruit. And of fruits in this beer, which are representative of our hometown cultures and favorite flavors, there are many - including dragonfruit, passion fruit, lime juice and Minneola tangerines. It’s a tart, tropical combination that gives your palate the best opportunity to win.
- Seven Summits : A collaboration with Wicked Weed Brewing Company: Seven Summits (10.5% ABV; 20 IBU) an Imperial Stout brewed with ingredients inspired by the world’s famed Seven Summits. This complex brew includes Coconut (South America’s Aconcagua summit), Cocoa (Africa’s Kilimanjaro summit), Blue-green Algae (Antartica’s Vinson summit), American Oak (North America’s Denali summit), Pink Himalayan Sea Salt (Asia’s Everest summit), Black Rye Bread (Europe’s Elbrus summit) and Wattle seeds (Australia’s Mt. Kosciuszko summit.)
- Dernière Volonté : The Last Will is born from a meeting between the Belgian and British brewing traditions. It has a complex nose of flowers and alcohol, supported by slightly fruity and malty flavors, all topped by a strong hop bouquet. In the mouth it is spicy and fruity hints and a discrete touch of alcohol. In the final, hops up the rear with force.
- Peach Mortel : The Peach Mortel is a Péché Mortel brewed with real peaches. The acidity of the fruit and coffee complement one another, giving the beer fruity flavors.
- Saranac Summer Pils : Why is Summer Pils the perfect summer refreshment? Becauase this German Pilsener uses traditional (Tettnang) and exciting (Cluster, Cascade and Belma) hops for a floral and citrus aroma, with a tropical fruit and spicy hop flavor – some may even call it WILD HOP.
- 077-07006 - Sorachi Ace : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-07006 is the Dubviant tuned up with an exclusive Sorachi Ace third dry hop inspired by the places that get it in Caldwell. Sorachi takes lead bringing 0’dub’s mix of dank resins and tropical fruit tunes down a pithy lemon path. Drink 077-07006 when a little zest is in order.
- La Sirena (Passion Fruit And Agave Nectar) : equila barrel aged 5 Lizard with passion fruit, lime peel, spices, and agave nectar.
- White Pelican Porter : "This style of beer was invented in England by train porters around the turn of the century. The porters would meet at the pub after work and mix an Irish stout with a pale ale to create a slightly more, mild dark ale. This porter is 4.2% alcohol by volume."
- Illumine : Berliner Weisse fruited with wild blackberries and white peaches.
- Scratch Beer 31 - 2010 (Citra Of Brotherly Love IPA) : Scratch 31, the brothers and the brewers decided to revisit one of our favorite sweet spots – IPA – and have some fun with hop flavors. Dubbed ‘Citra of Brotherly Love’ in honor of Philly Beer week, Scratch #31 has generous amounts of Apollo, Cascade and Citra hops. This is our first use of Citra hops, which is known for an intense grapefruit aroma and flavor. While showcasing the intense Citra flavor we added additional bitterness with Apollo and Chinook hops as well. Scratch #31 went through a bed of Chinook hops in the hopback and was dry-hopped with Cascade and Citra hops.
- Unholy Trippel : Our take on the Trippel style originally brewed by monks in Belgium features fruity / funky notes from the traditional Belgian yeast paired with a sacrilegious American hop character.
- Box Set Track #12 - Heaven & Hell : Track 12 is a non fruited sour ale. It is a blend of three base beers (Avant Garde, a previously unreleased sour brown ale, and Gift of the Magi). There were two barrels of Avant Garde, one oak barrel of the sour brown, and a splash of the Magi in the final blend.
- The Devil Made Me - Porter With Smoked Serrano Pepper : Roasted Grain with a Wisp of Smoke, Subtle, Building Heat, Dry Finish. A remake of a beer originally released in 2014. A classic porter with the addition of Smoked Serrano Peppers. Fire and Brimstone – the fitting destination at the end of a terrible path. The faces: Gacy, Manson, Dahmer… Why do they do it? Where does the evil come from? Are they products of their environment, or is there a darker force at work?
- The Gardener's Tale : The Gardener’s Tale is a tart saison, partially soured with our house lactobacillus culture, the first batch of which was infused with locally-grown chocolate mint and orange mint for subtle cooling herbal complexity. The second batch featured spearmint and pineapple mint from another local farm.
- Item 9: Rainbow Sour Belt : Hazy cream DIPA brewed with twinkies, milk sugar, as well as Citra and Belma hops. Conditioned on Rainbow Sour Belts, grapefruit and vanilla. It's the bee's knees!
- Dark Swan : An experimentally hopped sour ale fermented with dark red wine grapes. Observers of yestercentury once doubted the existence of the Dark Swan, stating the fair-feathered fowl was the only color of its kind. Explorers eventually upended that theory, shocking the world and shining light on the Dark. This beer might just do the same. It’s a sour ale fermented with dark red wine grapes, giving it its uniquely deep and rich purple hue. Then it received the signature Lagunitas treatment with a healthy dose of experimental dry hops. This might just shock your taste buds!
- Therianthrope : A dark saison fermented in oak puncheons. Notes of baker's chocolate, unripe cherries, caramelized pears, and a light brettanomyces funkiness.
- Iconic Double IPA : Iconic Double IPA is California’s gift to beer lovers. Ours is brewed with four distinctly American hops: Centennial, Citra, Columbus and Simcoe, all beautifully balanced by five malts. Then add generous additions of local orange blossom honey. An intense sensory experience — the fresh aroma of citrus, pine and grapefruit meets the bold taste of hops and sweet honey in a perfect merger that had always been waiting to be discovered.
- Argonaut Collection: Anchor Barrel Ale : Anchor Barrel Ale, a tribute to Fritz Maytag, is a blend of four different Anchor beers aged separately in Old Potrero Rye Whiskey barrels and on their staves. The result is uniquely handmade, featuring the complexity, balance, and depth of flavor that are hallmarks of Anchor tradition.
- Schlafly Sessions Black Lager Schwarzbier : Sessions Black Lager is a traditional German Schwarzbier with a refreshingly light body. The dark chocolate malts contribute color and hints of roasted coffee balanced by the delicate aroma of German Noble hops. Translated from German, Schwarzbier means black beer.
- Bourbon Barrel-Aged Kentucky Common : Dark sour ale partially aged on American oak and partially on fresh bourbon barrels, then blended.
- Double Shot - Ethiopia Yirgacheffe : This edition of our favorite coffee infused stout utilizes a boat load of Stumptown Ethiopia Yirgacheffe Chelbessa along with a small portion of Red Barn Sumatra Mandheling. The Yirgacheffe's big flavors of chocolate & citrus fruit meld beautifully with the earthy nuttiness of the Sumatra. A rich, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike!
- Worker Bee Imperial Stout : A very special offering brewed with wildflower honey from our friends at Praire Ridge Farms in LaPorte, IN. Worker Bee is a high alcohol stout with flavors of dark roasted malts, currants and a sweet satisfying finish.
- Scratch Beer 89 - 2013 (Irish Red Ale) : Just in time for St. Patty’s Day, Scratch #89 represents a first for Tröegs – a traditional Irish Red Ale. With an emphasis on “traditional” yet still driven by our desire to experiment, we brewed our version of this classic style using a variety of specialty malts, giving the ale a surprisingly complex aroma and flavor. While dark beers are quite trendy around this time of year, our Red Ale is sure to provide you with a welcome alternative to the otherwise abundance of brown and black beers. Sweet and malty with just a touch of hop bitterness, we wouldn’t be surprised if this Red Ale actually brings out the green in you.
- Gosé : Imagine your favorite Rosé and our Pacific Ocean Blue Gose had a baby... and that baby was a beautifully tart, pink hued, wild ale! This boozy wine hybrind rings in at 8.5% abv, but you'd never know it. Showcasing the complexity of delicous grenache grapes we got from Sans Liege Wines, this is one of our proudest creations yet!
- Berliner Style Lager - Cranberry : Our ode to summer. By implementing a sour mash procedure in our kettle an intense lactic and sour character emerges, complemented by the addition of cranberries. The beer is then fermented with our lager yeast. Finishes fruity, citrusy, dry, and quite tart.
- Barrel Of Monks / Odd Breed Wild Ales Barrel Of Funk Batch 1 : This Wild Witbier was brewed and bottled at Barrel of Monks and fermented with Odd Breed's mixed culture of wild yeast and bacteria. Firm acidity yet soft and nuanced layers of Brettanomyces funk mingle with notes of citrus and tropical fruit. A touch of coriander and Florida orange peel are faintly present before leading to a dry, oaky, tannic and tart finish.
- Pinotlambicus : A dry and vinous beer with hints of smokiness and a touch of oak. First running press of Pinot Noir grapes from Santa Barbara County were added to a year old blonde sour ale (called by many names around here, one you may be familiar with is Cuvee Jeune) and fermented together in stainless. The grape beer was then transferred to wine barrels and aged for 10 months. The beer is pleasantly tart, complex and refreshing; it can easily substitute a sparkling wine for any celebration.
- Never More : Never More is the next iteration in our fruited Gose series. Never More was conditioned on more than a ton(literally) of blackberry purée.
- Mercy : Our Belgian-style Grand Cru is a full bodied winter warmer. A slightly spicy aroma and flavors of dark fruit and caramel are harmonious with the classic Belgian-style finish.
- Cirrus Session IPA : Peach, orange and tropical fruit flavors and aromas with a soft bitter finish ,and low alcohol, this is the perfect summer beer.
- Game Over - Black and Blue : Game Over - Black and Blue is a blend of 3 different Barrel aged beers. The first two were French Saisons open fermented in Spanish red wine puncheons, then refermented with 300lbs of wild blueberries and blackberries. The beer was then blended together in equal parts and mixed with a red wine barrel aged golden sour to add additional character and complexity
- Modern Aberration : Pale ale fermented 100% with our own unique house blend of Brettanomyces. The nose is almost predominantly tropical fruit juice. Notes of tropical pineapple and mango dominate with a hint of orange rind. A subtle resinous hop character leads to a soft malt backbone. The beer finishes long and dry with bare hint of tartness.
- Macbeth : Saison fermented with Brettanomyces, aged in white wine barrels with Meyer lemon and grapefruit.
- Jersey Summer Breakfast Ale : Our unfiltered Breakfast Ale is as fresh and full of flavor as a day down the shore! Fermented with Belgian ale yeast, this beer has a slightly tangy, fruity taste that pairs as well with bacon and eggs as it does with a back yard barbecue. Easy to drink with wonderful flavor, a combination that makes this beer a Summer favorite!
- Growing Power : Growing Power hits the glass pale copper with a loose, fluffy white head. Grapefruit, pear, and floral aromas prevail from organic Cascade, Centennial, and Calypso hops, followed by clove esters and spicy phenols. Citrus and clove greet the palate first, with organic caramel and Munich malt rounding out the flavors, adding balanced sweetness and a medium mouthfeel. This one ought to put a sustainable smile on your face.
- There And Back Again (Apricots & Peaches) : There And Back Again is a tale of a spontaneous fermentation, isolation, confiscation, rejuvenation, mutation, and finally perturbation. This sour American Wild Ale is a collaborative effort with our dear friend Dr. Jason Rodriguez. We took our house “honey badger” mixed culture (no saccharomyces) and allowed it to ferment and sour over several months before refermenting it on apricots and peaches (> 2lbs of fruit per gallon) for additional months. The result is a bright stone-fruit character boosted by the tropical expression of our microorganisms. This beer is unfiltered, unpasteurized, naturally carbonated and will continue to evolve over time if properly cellared.
- Library Pyropysm Porter : A thick, rich chocolate/rye porter inspired by the Greek god Priapus. A special balance of chocolate, rye and caramel malts with just enough hops yield a chewy texture with a hint of rye tang. A beer for the most rigid of dark beer lovers.
- Old Rasputin : Produced in the tradition of 18th Century English brewers who supplied the court of Russia’s Catherine the Great, Old Rasputin seems to develop a cult following wherever it goes. It’s a rich, intense brew with big complex flavors and a warming finish.
- Otter Creek Copper Ale : Our award-winning flagship brew inspired by the beers of Northern Germany. Copper Ale is a complex amber ale handcrafted with six malts, three hops and the spirit of the Green Mountains.
- Tripel Ale : This strong golden ale is marked by passion fruit and herbal notes in the aroma, with suggestions of banana and honey in the complex palate. The Tripel has a remarkably long and smooth finish.
- Rey De Oro : Tart and fruity farmhouse ale aged in oak barrels and then dry hopped with Lemondrop, Sorachi Ace, and Cascade hops. This batch of barrel aged Oro was bursting with citrus flavors, begging to be combined with these citrus-forward hops. Taking the hoppy sour concept of our draft-only Hoppy Oro, we dry hopped this blonde sour with copious amounts of hops lending delightful notes of lemons, grapefruit, coconut, and wood.
- Hitachino Nest Nipponia : "HITACHINO NEST BEER is a brand of our quality top-fermented ales. Nipponia is brewed using the revived Japanese breed of Kanego Golden barley which was first developed in 1900, along with another strain of hops called 'Japanese-bred Sorachi Ace'. Nipponia is a delightfully golden coloured beer with citrus edge and complex and lingering taste."
- Rumour Mill Brett Pale Ale : Brettanomyces is a species of wild yeast normally seen as a threat in the brewery, but we love the fruity and funky flavors it can produce when used with intention. Our house blend of Brettanomyces strains is sourced from RVA Yeast Labs LLC in Richmond, VA. Rumour Mill is the first of many 100% Brett beers to come to 401 and features the citrusy flavors of Amarillo & Centennial hops to accentuate the fruity character of the yeast.
- Wild Oats Series No. 21 - Beau's / Kissmeyer Venskab : The Venskab experience is a symphony of aromas and flavours. On the nose expect tropical and citrus fruits (pineapple, Japanese yuzu), as well as hints of Sauvignon Blanc and oak. The flavours reflect the same with remarkable depth and complexity. Well-integrated alcohol makes its presence felt, as does a drying earthiness.
- Caught A Humble : Plum fruited kettle sour
- U.P.A. : Designed to be an Indian Pale Ale style, the light straw colour of this beer belies its full and citrus fruit driven flavours. Distinctly hoppy, with wonderful aromas from Styrian Goldings hops, the finish is perfectly balanced and satisfying. A huge hit with Untapped fans!
- Hooloomooloo : A draft-only double IPA brewed with Manderina Bacaria, Mosaic, Motueka, Galaxy, & Experimental Hop 07270. Massive tropical fruit aroma & flavor, firmly bitter but alarmingly drinkable.
- Cherry Berliner Weisse : Beginning as a traditional German-style Berliner Weisse, it is conditioned on sour cherries to provide hints of fruit flavors. This is a refreshing wheat ale with a slightly tart finish.
- Andechser Export Dunkel : Characterised by its firm and fine pored head. Even before the first sip, the beer epicure will register the soft aromas of dark malt carrying caramel and cocoa accents with a nuance of smokiness.
- Danimal's Farmhouse Ale : DFA is a Belgian Saison style ale spiced with grains of paradise and lemongrass. This unfiltered beer has a fruity flavor with a dry finish. Thirty percent wheat malt adds to the body. The Danimal’s weighs in at 7% alcohol. This is signature brew of Dan Strevey.
- Baked Goods : Baked Goods is a sessionable hoppy pale ale dry hopped with Mosaic, Azacca, Idaho 7 and Centennial hops, which add tropical fruit flavors and aroma.
- Big Pig Double IPA : Hopped with a combination of Warrior, Chinook, Ahtanum, Citra and Simcoe and backed by Pale, Munich, Crystal and Special Aromatic Malts, the Big Pig conveys flavors of fruit and citrus while maintaining a malty backbone.
- Reforged XX : Commemorating our 20th Anniversary and the creation of our new brewery, we pay homage to the ol' days by introducing our first ever barrel-aged blend. Reforged 20th Anniversary Ale is a triple-barrel fusion of our three original high-gravity beers: Wee Heavy (Scotch Ale), Speedway Stout (Imperial Stout w/coffee), and Old Numbskull (Barley wine). A proprietary blend was carefully established by AleSmith's elite Sensory Team of BJCP Beer Judges and Brew Team members. The result: A 100% barrel-aged brew which balances the oaky, rich flavors of bourbon with Wee Heavy's vanilla notes, Speedway's chocolatey coffee layers, and Old Numbskull's caramel undertones. Share and celebrate this exclusive specialty with friends and family now or age at a cool temperature to enhance the beer's numerous complexities. Cheers to twenty years!
- Summer Fleece : This malt-forward German lager looks dark & heavy but is surprisingly refreshing. Notes of chocolate & dark malt play nicely w/ the crispness of the German yeast.
- Down Under Bomb : Down Under Bomb is an IPA that uses hops exclusively from Australia and New Zealand - Galaxy, Rakau, and Motueka. Aromas of tropical fruit skin and gooseberry. Flavor profile is ripe stone fruit and Big League Chew (bubble gum).
- Kuhnhenn Extra Special Bret (ESB) : This Extra Special Bitter beer is deep copper in color is with low hop aroma. It is dominated by malty sweetness and caramel flavors, with medium dry finish and high fruity esters.
- Heavy Seas Golden Ambrosia : Fruited Golden Ale refermented with Honey
- Smooth : Smooth is our Missouri Wild Ale that was fermented in and aged in a French Oak foedre with Missouri microflora for 2 years. Once mature, it was racked on to Missouri Nectarines from the same farm in which we get White Peaches for Fuzzy. Big stone fruit aromatics, subtle Brett complexities and a more refined acidity.
- Hoppy Grapefruit Saison : Pale with a touch of malted white heat. Bittered with Chinook, late additions of Cascade and dry hopped with Hopsteiner, grapefruit zest added to the fermenter. Citrus and grapefruit flavor and aroma along with some fruity, spicy saison yeast character.
- Mill Street Tankenstein (2015) : Originating as a cask-only version of our Tankhouse Ale, Tankenstein is a dry-hopped IPA with full body and matching bitterness. It is a perfectly balanced ale with caramel and biscuit malts complementing the dryness of US grown bittering hops but with a massive over-lay of American Cascade hops being added to the tank during ageing to “dry-hop” the beer and give it a wonderful perfumey character. Grapefruit and piney resinous tones are the main contribution of the Cascades and make this a truly classic American-style IPA. It’s ALIVE!!!!!!
- Saison D'Hiver : A malty and luscious saison for winter with fruity esters and a Dunkelweiss-ish feel.
- Drummers Choice : The base beer is Brett On The Dance floor, however each keg is conditioned on different types of fruit.
- Harvest Hefeweizen : Not just another wheat beer. This award-winning hefeweizen is fermented with an authentic Bavarian weizen yeast to produce its unique flavor profile — fruity, spicy and refreshing. Try it without a lemon!
- Funky Virtue : Aged in French Oak Port or Cab/Sav. Wine barrels, this brew’s funkified flavors can be attributed to the addition of Oregon tart cherries. You’ll have to taste it to believe it. The Funky Virtue, born 3rd Virtue Belgian Tripel defies common perceptions of beer flavor. Aged in a French Oak Port or Cab/Sav. Wine barrels inoculated with the wild and mystical Brettanomyces yeast. Oregon tart cherries were then added to the Funky cask. Over the course of the roughly twelve+ months in the barrel, all the remaining sugar was consumed by the Brett and the fruit diffused into pure liquid cherry pie. Cheers! 2012 NABA Gold Medal Winner
- Denison's Dunkel : A Munich style dark lager, Dunkel, was also brewed at the brewpub on Victoria Street from 1989 to 2003. It was reintroduced in early 2005 at Black Oak, and is now also brewed at Cool Beer Brewery. It is enjoying popularity amongst aficionados and those who have discovered it more recently. 
- Shiftee : The life of a Charleston Food & Beverage professional (F&B pro, to the cool kids) is a daunting one, something we know all too well. However, it does come with perks, one being the “shift beer” waiting for you at the end of a long stretch of service. In honor of our past exploits, and our friends still living the dream out there, we brewed a “shift beer” that goes down easy while easing your pain. The original Shiftee is a Golden Ale with a burly ABV and all the fun, fruity and spicy notes you’d expect from the yeast’s esters and phenols (respectively).
- Foothillz Pilz : Brewed using Canadian Superior Pilsen malt the generous addition of Saaz, Vanguard and Tettnanger hops provides a spicy, citrus aroma and a pleasant lingering bitterness. Like all good lagers our Foothillz Pilz has undergone an extensive cold aging period producing a smooth, complex beer.
- Edge Bloom : Hazy IPA loaded with Mosaic & Idaho 7 hops, blooming with a tropical fruit character. Experimental hop 07270 adds a dank resinous edge to round out the profile of this refreshing IPA.
- Cerveza Negra - Mexican Dark Lager : This beer is influenced from days of sitting on a puerto vallarta beach drinking a refreshing dark lager with a lime. A rich but cleansing malt presence is complimented by the slight spiciness from the noble hops. The perfect mix of craft and easy drinking.
- Fireside Imperial Pils : A special winter offering for 2006. The malt bill is almost entirely pilsner malt with a touch of dextrin malt for extra body and mouthfeel. The hops are domestic Glacier and Sterling. The Glacier adds a clean bitterness to balance the malt and the Sterling adds a wonderfully complex hop flavor and aroma from late additions to the kettle and dry hopping as well. (O.G. - 17.8/1071. Hops - 62 IBUs)
- Mangosteen Muse : Oat Pale Ale with milk sugar conditioned on Mangosteen fruit, and dry hopped with Ekuanot. Notes of floral honeysuckle, heavenly strawberry, and peach cobbler, which complement the refreshing, slightly tart salinity and underlying sweetness of the beer.
- Dialed In (w/ Chardonnay & Gewürztraminer Juice) : This iteration of Dialed In is a fresh, juicy Double IPA intensively dry hopped with Galaxy and Citra. Pouring a vibrant, hazy gold; aromas of white wine, tropical fruit, and citrus swirl around the nose. Upfront flavors of grassy hop, orange juice, and pineapple coincide with vinous notes from the mid-fermentation addition of Chardonnay and Gewurztraminer juice. Soft and creamy with moderate bitterness; Medium-Light bodied with a crisp, dry finish. 
- Hammocking Hipsters Apricot Wheat : Young and chill, this light, hazy wheat beer is crisp but with tangy fruit flavors.
- Black River Oatmeal Stout : Black River Oatmeal Stout is a very smooth stout with pleasing mild roast and rich bittersweet chocolate notes derived from a complex malt profile. Terrific mouth feel, clean and drying in the finish. For the stout drinker this is a must try.
- Raspberry Super Slurp : It's tart, cold, and carbonated. It's... SUPER SLURP! ...A series of fruited sour ales brewed with lactose and vanilla beans. This one is with raspberry as the fruit.
- Farmer's Reserve Raspberry : Raspberries and sour beer is a magical pairing that creates something more than the sum of its parts: a perfect summer day in a glass. Our version of a Framboise draws inspiration from the farmland in the Santa Cruz mountains, where windswept hills have warm days and cool nights that result in tight, red berries with complex flavors and a ruby red-color. Combined with our sour blonde ale, the final blend highlights huge fruit flavor and the bounty of Coastal California. Pair with pancakes, seared duck breast and summer fruit tartes.
- Berlinersfield with Strawberries : Beautifully bright acidity that has huge lemon characteristics that pairs joyfully with the massive addition of strawberries to bring together a quintessential fruited ale.
- Andechs Weissbier Dunkel : This dark Weissbier retains its aromatic character thanks to the select choice of Hallertau aroma hops and highest quality Bavarian wheat and dark barley malts.
- Chicago Coffee Stout (Crop To Cup) : "**Coffee Collaboration Series** A rotating series of local coffee companies. Our first 'blend' is from Crop to Cup Coffee Co. Dark, rich, and roasted flavors from JuJu espresso beans."
- Citra Pale Ale : Prominently featuring Citra hops, our Citra Pale Ale delivers pungent grapefruit and tropical fruit aromas on the nose with a semi-dry finish. Juicy notes imparted by the hops pair with the light caramel malt character to balance this drinkable, “go-to” American Pale Ale.
- Clarabelle : Clarabelle began as Maybelle, a barrel aged blonde farmhouse ale. It was then aged in Ransom Old Tom Gin barrels for one year before finishing in a stainless steel tank with a blend of Brettanomyces and 500 pounds of peaches from Baird Family Orchards. The result is a rich and aromatic farmhouse ale, with bold peach notes and a balancing floral character from the Brettanomyces and Gin barrels. Clarabelle is ready to drink now, as the deep fresh fruit character is woven delicately into the Brettanomyces profile, but can also be cellared for one year.
- Sun Destroyer : Imperial stout brewed with cacao nibs and dark candy sugar.
- Hoppy Bunny A.B.A. (American Black Ale) : The Duck-Rabbit Hoppy Bunny American Black Ale is both intensely hoppy and intensely black! Eight separate hop additions offer delicious bitterness and beguiling hop aroma/flavor. Heavily represented among these hops are Chinook, which provides deep pine and sticky citrus components, and a New Zealand hop called Motueka, from which we get bright fruit and spearmint notes.
- MO : Our first run at an American Pale Ale. Flavors and aromas of zesty citrus, passionfruit, and pine present themselves throughout. A very subtle malt sweetness for balance, but this is intended to finish dry.
- American Pale Ale : This medium bodied, light coloured ale is bursting with juicy citrus and tropical fruit aromas from Citra hops. The pleasant citrusy hop flavour and modest bitterness is balanced with a light malt profile. A sessionable beer for the hop lover.
- Belgian Black Plum IPA : Belgian Black Plum IPA is a dark Belgian India Pale Ale made with 150 lbs of plums and heavy doses of Amarillo and Simco hops. This medium bodied IPA has a sweet and spicy aroma that finishes notably dry and bitter.
- Black Mettle : Black Mettle is the dark, roasty cousin of our signature Mettle Double IPA. The fermentation profile in this Black Double IPA was adapted from our standard schedule to develop and highlight its unique flavors and aromas to ensure that it is tremendously satisfying yet beckons for another sip. 
- Thirst Pitch : A copper coloured bitter which is hoppy with a good balance of coloured malts, to give a complex flavour whilst still being easy drinking.
- Turnt To Stone : Our brewer worked tirelessly to find these mythically hard-to-find hops. Medusa hops are Humulus Neomexicanus, a sub-species of the traditional Humulus Lupulus. Turnt to Stone is our latest SMaSH hazy pale ale. Utilizing Maris Otter, Medusa hops, and our specialty New England IPA yeast, we put together a smorgasbord of apricot and peach aromatics. Turnt washes over your pallet with guava, crushed nectarine, and ripe stone fruit complemented exquisitely with a soft, silky mouthfeel. Be careful not to stare at this beauty for too long or you may turn to stone!
- L'automne : Over a century ago, the first Belgian settlers arrived in Southern Door County and quickly became the largest Belgian population in the nation. In our blood, our land and our beer, The Door County Brewing Company Farmhouse Series pays homage to the history and the hops of our Belgian ancestors. A compliment to the pioneers of beer, every farmhouse ale resonates a seasonal sensation and familiar flavor of our Belgian roots. Brewed with our Belgian saison yeast, white and dark wheat, caramel malts and rye, our fall release, L’automne, has just the right amount of warm spice, bright citrus and a dry finish. A twist on a classic, at Door County Brewing Company, we believe you should revere the past and enjoy the present.
- Predictable DIPA (Fat Head's PDX Collaboration) : Collaboration between Barley Browns and Fat Head’s PREDICTABLE IIPA Thanks for our friends at Country Malt Group and N.W.I.P.A. for sponsoring this big sticky, hop bomb. Chinook, and Citra hops, sprinkled with FH/BB love and voila, huge tropical fruit and citrus flavors, with just enough malt to carry it all.
- Bounty Hunter : AKA “The Cocopo”: This strong porter received a healthy dose of raw coconut and vanilla during fermentation. The result is a maelstrom of bitter chocolate, dark malt flavours, with a subtle coconut/vanilla underbelly. We can hear you muttering “you had me at maelstrom…” already.
- Cavaleiro Of Varnov : Oloroso sherry aged Dark Lord
- More / Hop Butcher For The World - Steel Cage Match : Our collab with Hop Butcher!!! We both brewed up a huge 10.5% triple IPA base with loads of sticky, sweet honey. We both loaded it up with fruity and dank citra and galaxy hops. Our version leans heavier on the galaxy, while their version leans heavier on the citra - a cool experiment, we think.
- Arcadia Hop Rocket : This Imperial IPA has an assertive aroma of sticky, resinous Summit hops. A complex flavor profile includes notes of grapefruit, lemon peel, and spruce. Though the flavor focus is on hops, a trio of malts provides a balance to the beer, creating a delicious level of palatability. Hints of caramel, toffee and freshly-baked biscuits are also apparent in the flavor profile.
- Tallulah Extra Pale Ale : With a refreshingly effervescent carbonation, the tropical New Zealand hop flavors of Tallulah are perfect for the warm days of Spring & Summer. Tallulah pours a radiant honey gold with a fluffy layer of foam and bursts with complex tropical fruit aromas. The candy fruit notes of guava, peach, and passion fruit are complemented by a light caramel sweetness and balanced with a moderate, yet assertive level of hop bitterness.
- VW : Throughout the brewing world there are examples of beers that define a style- perhaps less well known are the beers that ARE the style. One such beer is Weihenstephaner's Vitus. Inspired by the original pale Helles Weizenbock, Clandestine's version is brewed with a malt bill made up of copious amount of Wheat & German Pilsner. Extended aging produces a malty treat that smells of citrus, cloves, cinnamon, apples, banana and stone fruit. Originally brewed only in the Spring, we think this is a beer to enjoy any time!
- Nefarious : Barrel aged dark Door County cherry sour beer with cacao nibs and habaneros.
- Curiosity Thirty Eight : Curiosity Thirty Eight was imagined as a beer fit for discovery with an intense hop saturation yet light drinking presentation. Fermented with our classic house yeast and imparted with character from a blend of our favorite Vic Secret, Galaxy, and Citra hops, it exhibits flavors and aromas of passion fruit , juicy pineapple, and mango. A soft body and ample mouthfeel contribute to a beer that is both well rounded and extremely flavorful. We hope it can serve as a valuable companion to personal discovery.
- Promiscuous Porter : This ale has a noticeably dark malt favor with a mild, yet rich, roasted character. Hop flavor and aroma are subtle but present. A very smooth and satisfying porter.
- Hopped In Black : Hopped in Black is an American Black Ale brewed with Southern Cross hops. Black with a dense, mocha colored head, Hopped in Black has a complex aroma of floral citrus, toasted malt, and chocolate. The addition of Southern Cross hops bring out flavors of citrus while a malty backbone provides flavors of toast and chocolate. Hopped in Black is medium-bodied and finishes smooth with a slight bitterness.
- Silly Sour : Silly Sour is a unique brew that blends 13% of traditional dark Saison with 87% of soured ale. The delicate malt notes from the Saison manage to break through the striking green apple sourness upfront and than give a way to a finishing jolt of lactic sourness! At an approachable 5.5% Alc. by Vol. this chestnut colored brew adds a new page in the history of Saison brewing.
- Caos : After the Equilibrista, our beer inspired by the Champagne world, here it is a new experiment on the “wine meets beer” theme. This time, though, we tipped the scales in favour of beer, adding to the Duchessa wort only a 25% of wine must: in this case we used Malvasia (coming from our friends of Tenuta di Bibbiano, as usual), a white, aromatic grape variety which gives the beer a gentle and nice sharpness and an inusual, fruity nose. The beer is bottle-fermentd using Champagne-yeasts, and it has a quite intense “perlage” (bubbles) that makes it perfect as an aperitif or even for the whole meal. The “chaotic” label was designed by Valentina De Luca, an Art student at the Istituto d’Istruzione Superiore Antonio Cederna of Velletri (Rome), who won our contest “Etichette Bizzarre”.
- Nitro Extra Special Bitter : Our English-style ESB served on nitro. Creamy smooth, striking a proper balance between malt and hops with subtle notes of fruit, toast, and caramel.
- Solitaire (ReplicAle 2012) : Our 2012 Replicale is a refreshing and sessionable Belgian-style ale with good ester fruitiness and a lightly tart complexity.
- Rubicon : For me this beer was a crossing of the Rubicon. It is a very refreshing beer with a lot of American hop character. With 5 hop additions of Cascades, Columbus and Centennial, it has 54 IBUs. It is finished off with a dry hop of Centennial and Zythos hops which give it not only citrus character but more complex tropical fruit flavors such as pineapple. This beer also strikes a solid balance with malt character and has good head retention and body. It is 6.3% alcohol by volume and leaves a clean crisp finish. Alea iacta est -cheers
- Tangier India Pale Ale : Where the Mediterranean Sea meets the Atlantic Ocean is the ancient city of Tangier. This confluence has made Tangier a cultural waypoint for millenia. From Greek heroes to Cold War spies and uprisings, Tangier has inspired thousands of legendary stories. It is written that before his battle with the giant Antaeus, Hercules rested in a nearby cave. But where myths end, our tale begins. Tangier is brewed as a Session India Pale Ale with spicy citrus aromas and stone fruit flavors. These flavors, with the addition of lightly roasted malts and brilliant hop bitterness, make Tangier a beverage as refreshing as it is exotic. The approachable 4.6% abv yields more time to enjoy the synergy between the tangerine peel and spicy, citrusy, Azacca hops. Enjoy Tangier in celebration of your epic adventure.
- Ostinato Saison : Ostinato Saison blends a young, lemongrass infused wheat based saison with one cask each of Saison Vert and Pathways Saison, both matured in local vermouth barrels. The finished beer drinks light while being full of character as the lemongrass, black limes, and unique barrels interact. A long, complex finish shows off the distinct fruity flavor of meridian hops.
- Imperial Stout : Starting with a Dry Stout recipe as a base, our brewers “kicked it up” quite a bit. Very rich, dry, sharp and malty, with an almost dark coffee roasted flavor.
- House Sour #1 : Time for a new tradition... We call it our "House Sour", a rotating sour beer only available at The Lost Abbey. This iteration is a French Oak-aged blonde sour with Peaches and Nectarines. Tart and fruit-forward with some funky Brett and Oak to round it out. A great way to start off a weekend!
- Ebulum Elderberry Black Ale : Introduced to Scotland by Welsh druids in the 9th Century, elderberry black ale was part of the Celtic Autumn festivals when the "elders" would make this strong ale and pass the drink round the people of the village. The recipe was taken from a 16th Century record of domestic drinking in the Scottish Highlands. Elderberries were used for many natural remedies to cure sciatica, other forms of neuralgia, influenza and rhumatism as they contain tannins and fruit oils. Ebulum is made from roasted oats, barley and wheat boiled with herbs then fermented with ripe elderberries.
- Guilty Party Raspberry Vanilla Berliner Weisse : Berliner Weisse style ale aged on red raspberries and vanilla beans for a tart, fruity profile and a slight vanilla taste.
- KneeCap : PA brewed with mandarin purée and orange blossom honey; then dry hopped with citra, mosaic, and Mandarina Bavaria. Notes of freaky bubblegum, Orange creamsicle, passion fruit, and berries.
- Vital IPA : The IPA style can be a powerhouse of flavors and impressions. But what is vital to you? What commands your taste and attention? We packed our Vital IPA full of fresh, crisp and fruity notes driven by whole flower American hops and robust German malts. You’ll find it bright, delightfully aromatic and complex, leaving you with dry, spicy satisfaction. Taste Victory in these flavors Vital to your senses.
- Island Time : Island Time Tropical Sour Ale looks exactly how it feels when you step off a plane in Hawaii and someone drapes a lei around your neck. The vibrant pink color screams for an umbrella to be dropped in the glass while your imagination takes your toes to a warm white sandy beach. The nose of this tiki inspired concoction is ripe with red papaya that kicks with an almost sweet smelling funkiness. As this tropical beer sets sail across your tastebuds, you’ll be exposed to more fruit-fueled complexity than you could have imagined. Potent notes of papaya quickly dissipate and are overtaken by boisterous waves of pineapple and eventually finishing with ripe to perfection mango flavors; all with refreshing and underlying notes of key lime and hibiscus flowers. Crafted with the coast of Molokai on our mind; Island Time Tropical Sour Ale is incredibly tart and exceedingly juicy, taking your palate on vacation every time you grab a pint.
- Es Buah : From Java, we have Es Buah, inspired by the traditional cocktail of fresh tropical fruit juices. Normally spiked with ice and sugar, our take blends guava, star fruit, pineapple and a touch of hibiscus flower with a sour base to create a juicy sweet and sour brew with a tropical fruit punch.
- Triple Sunshine IPA : This lupullin-laden India Pale Ale is packed with juicy tropical fruit character, bright floral aromas, and exceptional layers of flavor. Store cold, pour carefully, then close your eyes and enjoy a tropical vacation in a glass.
- Weeping Willow : Belgian-Style Quad with Cranberry Blossom Honey, Cherries Raspberries, and Black Currants. All those ingredients come together to form a very fruit forward beer made for sipping. We brewed this in collaboration with Oceanside's future brewery, @horusagedales. A very small amount will be distributed outside of the brewery so come here to guarantee a pour.
- Tenaya Creek Old Jackalope Barleywine : Old Jackalope Barleywine Style Ale: Whats sealed in this bottle is only heard of in myths. Its so rare in fact, we have used a magical seal that only opens with an "Abracadabra," or the bottle opener hanging from your keys. This rich and complex ale uses a variety of malts and hops to balance what we think is one ultimate beer. Share it with friends, savor it with colleagues, or stash it away for a future occasion. This ale will keep for months, or years if you manage to resist the temptation.
- Flying Goose Pale Ale : A touch darker and meatier, this pale is lighter on the torso yet stronger on the mouth.
- Big Rock Grasshopper Wheat Ale : Light on the palate, yet packed with flavour and European hop aroma, with fruity or citrusy notes.
- All I See Is Carrion - Maple Whiskey Barrel Aged Belgian Quad with Cherries : "Clocking in at 12.2% ABV, this Belgian Quad was brewed with copious amounts of specialty grain including Special B, Chocolate, Cara 45, Aromatic, and Biscuit Malts. For an interesting twist, both Amber and Dark Candi Sugar were used. Hops used include Hallertau Mittelfruh and Northern Brewer.
- Hotter Than Helles Lager : Our Munich Lager is a nod to the thirst quenching lagers of Germany. Our Helles has a sweet malt expression that is balanced by floral bitterness from the use of German Hallertaur Mittelfruh hops. A very refreshing beer that will also entice you by its subtle complexity and drinkability.
- Belgian Red Rye : This Belgian Specialty Ale has the addition of rye for that tingly and almost spicy finish. Bitter orange peel and cinnamon sticks add layers of complexity that leave this beer so full of flavor you’re bound to taste a different spice with every sip.
- Bourbon Barrel-Aged Choqlette Porter : After six months in Bardstown’s Heaven Hill Distillery bourbon barrels, our Choqlette Porter has transformed into a whole new beer. Vanilla and oak notes marry wonderfully with the Choqlette’s roasty, dark chocolate undertones and the time spent on wood has imparted a well-rounded silkiness to its mouthfeel.
- Polaris Wheat : A single hop American wheat beer that takes its name from the German Polaris hop, a high alpha hop with a pleasant minty flavor and aroma. Wheat adds hearty bread like flavor and darker Munich malts add depth and complexity to this ale.
- IPA : Our third beer, Tallgrass IPA, is an India Pale Ale that is rich, complex, and flavorful. We are proud to be the first brewery here in the Great Plains to have the first brewed, cans, and draft IPA out on the market!
- ChewBocka The Masticator : Named for our beloved brewhouse dog, Chewie, this doppelbock will guide you unscathed through the winters of Hoth and/or the Jersey Shore. Our take on the traditional German doppelbock (which translates to "Double Dark Lager"), the 7% ABV may seem intimidating at first, much like Chewie, but then the malted sweetness on the backend and depth of flavor from our 3 month lager process shine through to show this beer's charm. Dark but not bitter and strong yet gentle, this beer is the perfect companion for all of your adventures
- Redhook Big Ballard Imperial IPA : In 1982 Redhook was born in a converted transmission shop in the Ballard District outside of Seattle, WA. After 28 years of brewing, Redhook is paying homage to its roots by releasing Big Ballard Imperial IPA. Big Ballard has a rich, deep golden and a very assertive hop character that hits you in the nose before reaching your lips. The flavor and aroma are balanced with complex malty undertones. While it has a friendly side, make no mistake - Big Ballard is brewed for diehard IPA fans.
- Leviathan - Baltic Porter : Leviathan Baltic Porter is a dark, strong beer of considerable complexity. Brewed with a highly alcohol-tolerant strain of lager yeast, it has a smooth, full flavor with dark fruit and licorice notes in the aroma. De-husked roasted malt lends a dark chocolate character without being sharp or harsh. Raw sugar and dark crystal malt give some raisin and molasses notes while East Kent Goldings hops make for a long, earthy finish.
- Regular Coffee : A Classic Jersey-ism is "regular coffee." Here when you oder a "regular coffee" at any place you trust to make a pork roll and cheese you get a paper cup of coffee with "milk and 2 sugars" rather than a "black coffee that hasn't had the caffeine removed." Acidic bitter coffee flattened by milk and sweetened; the perfect foil for the salty unctuous savor of breakfast on a roll. For our homage to Jersey's breakfast beverage, we teamed up with our neighbors at Fair Mountain Coffee Roasters looking for an elevated version of classic crappy coffee. We chose Mexican Chiapas for its bitterness akin to artichoke, roasting it a little darker than usual, along with Ethiopian Sidamo for its pleasant lemon-like acidity, which we pushed up through fermentation. We added this coffee blend to a high gravity golden cream ale, contributing our "milk and 2 sugars." Drink Regular Coffee because running over a black beer with coffee is no way to get to work.
- Honey I'm Home : Whether a visitor to Meagher County or one of the colorful locals, this beer is sure to make you feel at home. This Honey Amber Ale is infused with Montana-Made honey, resulting in a beer with a beautiful hue and aromas of malt, fruit and honey, finishing with a delightful sweetness.
- Cloudbusting : Hazy golden, juicy VT-style double IPA brewed with 100% New Zealand hops: Nelson Sauvin, Waimea, and Southern Cross. This beer is overflowing with luscious tropical fruit, berry, tangelo, and lemon aromatics. A creamy, lush mouthfeel softens the bitterness and highlights the fruit-forward New Zealand hops. A touch of rye in the grist enhances the overall complexity of the beer.
- Mai Bockerena : This copper-hued German Munich malt forward beer has a rich gram cracker and dark fruit maltiness coupled to a balanced blend of spicy Tettnang and Hallertau hops in the finish. Good for a “dance” around the Maypole or for whatever rites of spring you wish to celebrate. Ein Prosit der Gemütlichkeit!
- Porter : A robust clean brew that satisfies the desire for something Dark.
- Ember : This rich, medium-bodied dark German Style lager features light hints of toffee, caramel and nougat. Traditionally brewed featuring malts and hops from Germany
- SpeakerBlown : Roasty, Chocolate, Creamy. Brewed with oats and lactose milk sugar, this creamy, full-bodied milk stout exhibits mild aromatic notes of coffee and milk chocolate in the nose and pallate. Milk sugar in your stout is comparable to cream in your coffee: dark and delicious.
- Powerplant : Powerplant was the very first beer we ever brewed in winter before we had full power supply, hence the name. It is a Belgian classic fermented at high temperatures to bring out all those great saison yeast characteristics. Big aromas of fruit and spice carry through into the flavor. The result is a hearty and complex, yet wholly drinkable beer.
- The Dark Wanderer : The Dark Wanderer is a Bourbon Barrel Aged Imperial Chocolate Stout. The aroma is rife with chocolate, coffee, bourbon, and light vanilla. Flavor is a balance of rich, sweet malt and brooding dark chocolate -- the bourbon character is firm and pleasant.
- Generator : Lightly fruity Wheat beer brewed with lemongrass, coriander, & peppercorn.
- Papa Burgundy : Papa Burgundy is a caramel colored German Dunkel-Weise with delectable aromatics of banana and warm toffee. Big flavors of nutmeg and clove fuse with a malty sweetness to create a tasting experience reminiscent of homemade banana bread, with a candied fruit, spice, and nuttiness throughout.
- Red Rye Revival : Bourbon Barrel Aged Dark Rye Ale
- Portsmouth Imperial (Baltic) Porter : Bigger, darker and more "Imperial" than our Robust Porter, brewed with a Baltic flair.
- Black H2O Oatmeal Stout : Traditional oatmeal stout. The silky smooth oatmeal lends itself perdectly to the intense roasted malt character of this dark robust stout.
- Extremis : A lupulin experience that delivers a sensory overload. Huge amounts of tangerine, resin, grapefruit flesh, wet pine, and the unmistakable dank note. Hops: Simcoe, Mosaic, Apollo, Falconer's Flight.
- Dark Galaxie : Dark grains contribute rich notes of chocolate, coffee, and molasses to this stout that gets its creamy mouthfeel from a generous hand of oats and lactose.
- AleCraft Bartholomew Porter : Brewed for AleCraft at Verulam Brewery. A robust porter in the American West Coast style. It's rich and roasty! Big dark malt flavours, hints of chocolate with an American hop balance.
- Fall Of Babylon : Dark and dry with a full mouth-feel, Fall of Babylon is brewed true to style: roast, rum, chocolate, coffee, and alcohol mark both the flavor and aroma of this limited offering.
- Spaceship Earth : Our relentless pursuit of the juiciest of hop profiles led us to this outrageously tasty pale ale. Big, mouthwatering flavors of tropical fruit and citrus explode from the glass, fairly commanding that the drinker return to its mysterious, hazy depths for further exploration.
- Smoked Porter : Dark, rich and smoky…this classic porter is brewed with 63% German smoked malt and makes a perfect after dinner (or anytime) sipper for those who love a “bigger” beer. Winner of the Gold Medal in the 2004 Great American Beer Festival® for best Smoked Beer in America!
- Powder Dreams - Citra : Brewed with a combination of 2-row and oats for a silky smooth texture and taste. Hopped exclusively with Mosaic in the kettle, with a healthy dose dumped right into the fermenter, and then dry-hopped with Citra lupulin powder. Absolutely bursting with tropical, juicy, passion fruit aromas and flavors! New American hops at their finest.
- Quincy Common : Classic California lager yeast gives this malty beer notes of soft fruit, classic hops and a refreshing zippy finish.
- Citrus Kicker : A mellow IPA brewed as an homage to Winter Garden and the many citrus fields that used to be in the area. With the addition of fresh Florida Orange and Grapefruit this IPA provides great sweetness, tartness and bitterness with a pronounced citrus kick.
- Off Switch : This bold double IPA has bright citrus and passion fruit aromas and flavors with the body and drinkability of an IPA. Off Switch is available May through July 2018 both packaged and on tap throughout Wisconsin and Illinois.
- Black Raspberry Ale : Our fruit beer is soothingly smooth with a round finish and a bit of malt in the background.
- Yard House 19th Anniversary Spruce Tip IPA (Rogue Collaboration) : To mark our 19th Anniversary, we’ve collaborated with Oregon-based Rogue Ales & Spirits to develop a limited-release celebration beer: Rogue Spruce Tip IPA. With hints of citrus, spruce and fruit, this IPA delivers a solid caramel malt flavor, followed by a pleasant sharp, clean finish.
- Well Rested : Our blended Imperial Stout. Comprised of our Imperial Smoked, and Imperial Milk stout aged in Heaven Hill whiskey barrels for 6 months. Then further blended with stainless steel aged Fork & Beans to round out the barrel character. Intense dark malt and barrel notes with a medium to full body.
- Big Hoppy : This dark and devious brew reflects a resinous and sticky fusion of intense bitterness, big roasted barley flavors, and powerful dank aromas. Made with HUGE additions of five hop varieties and seven malts to create a bold flavor profile.
- Touch Of Red : Mixed fermentation sour red ale aged in barrels for up to 12 months. Medium body and malt character with hints of tart cherry and plum. Rich fruity aroma reminiscent of Burgandy wine.
- Bio Beer : Bio Beer, a remarkable one-of –a-kind, India Pale Ale, more in the spiced IPA category — not to be confused with the aggressively hopped West Coast IPAs. Dr. Jekyll’s Bio Beer boasts the finest organic Simcoe®, Perle and Cascade hops, along with the finest organic malts. Experience its complex flavors which combine hints of ginger and clove with aromatic floral notes of citrus and berry. Super foods and spices such as acai berry, acerola fruit, maitake mushroom, turmeric, garlic, green tea, clove oil and ginger, are blended together in perfect harmony to provide a boost to your body, as well as your senses.
- Wayfarer : Brewed with British Maris Otter malt and generously hopped with 3 Northwest heavy weight varieties, it is a bittersweet warm and rich ale. The English Ale yeast gives complex fruity aromas carried forward by high alcohol content and the malt backbone guarantees a long and bold finish.
- Saint Brendan's Way : It's love that you'll follow today if you dare follow Saint Brendan's Way! Rich maltiness, a hint sweet, dark and subtly smoky. This Scotch Ale uses no smoke malt, deriving it's smoke character from yeast only.
- Mojo A'Peel : East meets West with this Cajun Dunkelweizen. A dark German wheat ale modified to emulate the New Orleans dessert Bananas Foster.
- Alpenbrew : "Created specially for Mount Hood Meadows' 40th anniversary in 2007, Alpenbrew features a beautifully nutty maltiness, buoyed by spicy/herbal hops and fruitiness from the yeast. Look for this one at the Alpenstube, The Finish Line and the Mazot up on the slopes this winter, and at a select number of wholesale accounts."
- Auntie Rostov : Imperial Stout with Rostov Hazelnut coffee beans, Saigon cinnamon, Tahitian vanilla and dark Virginia maple syrup
- Name Drop : Guava milkshake IPA. This creamy IPA is hopped with Amarillo, Vic Secret, and Idaho 7 and fruited with Guava
- La Trappe Blond (Koningshoeven / Dominus) : This scintillating golden ale boasts a rich, fruity, and fresh aroma. And a light malty and sweet taste. It has a soft bitterness with a friendly aftertaste. A well-balanced blend of complexity and simplicity. La Trappe Blond continues to ferment in the bottle.
- Lindemans Pêche : Lindemans Pêche is a young lambic enriched with peach juice. And this fruit beer is a real peach! It is nice to drink at any time of day. Or on a sunny patio. Personally, I enjoy it with my girlfriends. And what we talk about is of no concern to you.
- Strawberry Pig Cream Ale : Each spring, we honor Cincinnati's historical nickname, "Porkopolis," by brewing a small batch of our favorite cream ale recipe, affectionally named "The Pig." In 2014, we decided to age The Pig with a strawberry infusion. The resulting beer was so fantastic, we knew we had to share it with beer drinkers everywhere! Strawberry Pig has a refreshingly light body and fruity finish that pairs particularly well with people, parties, and the thaw of spring.
- Belgian Dübbel : Boasting a deep red color and a complex malty taste, the dübbel will finish sweeter with subtle hints of raisin, caramel and apricot.
- Deathrow Oatmeal Stout : A rich, dark full-bodied ale with hints of roasted coffee and chocolate. Flaked oats are added to give it smoothness. It is nitrogen charged to give a thick, creamy tan head.
- Sssappp : Sssappp is a new rendition of Sap designed to push the original flavor profile to a heightened level of depth and intensity through the use of additional kettle and dry hops! Don’t let the name fool you - this beer is loaded with notes of rich red grapefruit, apricot, and earthy citrus. A supple mouthfeel and full body help lend balance to the pleasant and complex onslaught of flavors. It just feels right.
- Luna Park : We loaded this hazy IPA with Hallertau Blanc, Simcoe, Mosaic, Motueka, and Denali hops, resulting in an uncommonly delightful profile bursting with stone fruit, citrus, and tropical radness. It's an absolute pleasure from aroma to finish, and we're pretty excited to share it with you.
- Brandy Barrel Aged Dark Rye : Brandy Barrel Aged Dark Rye is a bigger, boozier variant of our standard Dark Rye. This American imperial stout takes on sweet, subtle brandy notes and an oak character from the Copper & Kings brandy barrels it was aged in. Rye spiciness and roasted notes come forward in both aroma and flavor. Full-bodied with a dry chocolaty finish, this beer pours deep black with a long-lasting tan head.
- Orange Swisher : Smoked malt is one of the more dubious tools in a brewer's bag because thresholds are vastly different. What to one palate is a hint of bacon or a whiff of BBQ to another is ashtray or Band-Aids. How can Carton ignore playing this game? Where can smoldering aromatics go off the beaten craft? In Orange Swisher we have reassembled the deconstructed aspects of a flavored blunt. Rich, dark malts rendered smoky by the addition of oak smoked pale wheat touched with orange zest and a heavy plug of the hops that smell like their cousins. Drink Orange Swisher and hand me down a 50-pack.
- Barrel Aged Standard Crude : Barrel Aged Standard Crude spent between 6 and 9 months in various bourbon barrels. It has deep and complex malt tones that are well accentuated by a wisp of barrel character and looming bourbon tones throughout. Vanilla, cola, dark fruits, chocolate and hints of licorice take you on a flavor journey that only intensifies as the beer warms.
- Son Of A Baptist : Son of a Baptist is an 8% ABV imperial stout. It is not barrel aged like its father, Big Bad Baptist; instead its flavor profile was designed to highlight the complex and often unique flavors of small batch coffees. Instead of sourcing a coffee that would play well in a beer we sought out creative and innovative roasters, then asked them which beans they’re passionate about. Each resulting release of Son of a Baptist is widely different depending on the coffee selected. Some are fruity and sweet with notes of jam and chocolate, others are rich and earthy with a big roasted finish. Each limited release will return to the Roaster’s home market where the beer and the coffee can be sampled side by side.
- Two Tortugas : It was 2011 when we first released Two Tortugas Belgian Quad as our holiday ale. It was supposed to be a one-time release for the holidays, but your feedback demanded otherwise. Six batches and numerous medals later, our Belgian Quad is back in all its original glory. Two Tortugas has aromas of dark fruit and caramel, with a slight hint of bubblegum from the Belgian Abbey yeast. This beer is robust and full-bodied with rich malty flavors of toffee, plums, and dates. Drink it now or lay it down – Two Tortugas’ journey is just getting started.
- KCBC / Pure Project - Operation Ibis : German Heidelberg malt with Magnum and Mosaic hops. Grainy pilsner malt, subtle, soft fruit, and earthy bitterness. Crushable.
- Hail Marty : Double Peached Blonde Ale. Brewed with spelt. Conditioned on copious amounts of fresh @3springsfruit peaches. Hopped carefully with Simcoe. Like chewing on peach rings!
- Is It Hoppy? : This is a smooth drinking Double IPA. Dry hopped with heavy additions of Vic Secret along with smaller additions of Mosaic and Centennial to create intense aromatics and notes of tropical fruits with pine.
- Drunken Hippy : Dark English mild aged in Buffalo Trace barrels.
- Quadrennial : Barrel Aged Dark Sour Ale With Black Currants 
- Farmhouse Saison : This unmistakable farmhouse style has aromas of peach, pear and apple with a touch of sweetness and prominent carbonation. A light spice reminiscent of white pepper and ginger rounds out the fruity flavors, finishing with a pleasant snappiness.
- Dead Squirrel Ale : Not exactly a Dubbel... Not quite a Tripel. Kurt calls this a Deice and a Half. This beer is brewed with honey, orange peel & spices, and presents with dried stone fruits with a sweet finish. Our strongest regularly produced beer.
- Black Butte XXX : This 30th anniversary Imperial Porter was blended using 8 different types of oak barrels, with notes of salted chocolate, whiskey and dried fruit.
- Barrel Aged Coffee Break Abduction : Aged in Elijah Craig Small Batch and Old Fitzgerald barrels for 16, 18 and 20 months with Dark Matter Coffee added.
- Rye Knot Brown : A full bodied dark brown ale. Intense malt character with a slight caramel sweetness. The chocolate and rye malts add to the rich roasted coffee notes.
- Black Lager : Brewed in the style of a German Dunkel, this beer is dark in color, but has a deceptively light body and a hint of roasted flavor in the finish.
- Red Rock Dunkel Weizen : Dunkel Weizen is the dark version of the regular golden-yellow Weissbier or Weizenbier (more commonly called Hefeweizen in North America), the spritzy, creamy Bavarian wheat beer with pronounced clove, vanilla, banana, apple, bubblegum, and sometimes nutmeg flavors.
- Spaceforce! : Dark Lord aged in Pineau Des Charentes barrels with vanilla, cocoa nibs + coffee.
- Blonde Fatale : This is an unfiltered Belgian Style Blonde Ale. The beer is blonde in color from the pale malted barley varieties. It is delicately hopped with Styrian Golding and Celeia for medium bitterness and aroma. Sugars are added for higher attenuation, following the practices of some Belgian brewers. Belgian ale yeast is used to add complex flavor esters. This beer is unfiltered and yeast is left in for additional conditioning. The beer is named Fatale because it is 8.5% alcohol by volume and will catch up with you if you’re not careful.
- Sticky Hands - High Point : This variation of Sticky Hands was developed by Alechemist Challenge winner Travis Marcus and features ample additions of sticky, resinous, lupulin packed Mt. Hood & Cascade hops with our specially made hop oil extract. Enjoy the depth of hop character including dark fruits and dank citrus with a balanced bitter finish. Tongue happy hoppy face slap.
- Crooked Belgian Style Wit Ale : Crafted for those who find their life to be less than predictable. This complex Belgian-style wheat beer is a tribute to the often crooked nature of our existence. Coriander, Orange Peel and Hops entertain your tongue and conjure up spicy, sweet and bitter moments that carry us beyond happily ever after.
- Cold Box Cool Ship : Cold Box Cool Ship is 100% spontaneously fermented in Highland Park. A very simple base recipe of barley, unmalted wheat, and aged German Hallertau hops allow the microflora to really stand out. We let the beer cool down in the open air overnight, getting inoculated with wild yeast and bacteria. We then let it ferment and age in neutral oak barrels for around a year. This all develops into something that is completely unique to our neighborhood. The beer has lean, pronounced grapefruit acidity with a delicate, raw mustiness as a nice counterbalance.
- Upland Brewing / Jolly Pumpkin Permission Slip : Blend of two beers in equal amounts. First beer was a blonde wild ale aged on Persimmon in oak foudre. Second beer was a lambic-style aged on Dragonfruit in white oak barrels.
- FLH - Simcoe : The popular Simcoe hop brings a smooth bitterness accompanied by unique & complex aromas. Notes of passion fruit, citrus, and berries.
- Belgian Style Amber Ale : Formerly known as Dark Horse Amber Ale
- Clown Mouth : A circus of flavors, Amarillo and Equinox hops give this balanced IPA flavors of citrus, pine, and stone fruits against a mellow malt backbone.
- Deth's Tar : An imperial stout aged in bourbon barrels, and named after our exalted leader, Emperor Deth. This one is definitely on the dark side.
- 10th Edition: Chinook : Relatively low alcohol content but nice malt body combine with subtle spice and pine aroma, and a grapefruit pith and pine flavor to make this a super-drinkable session IPA. This tenth edition in our Session Series features Chinook hops in the dry-hop.
- Catatonic Cream Ale : Golden light ale brewed with English malts, flaked corn, flaked barley, and fermented with German Kölsch yeast making this a fresh, fruity, crisp beer suited for any occasion..
- Elderflower Sour : Brewed with elderflower and grapefruit zest.
- SoMa Vice #3 : The third installment in our quick sour series is spiced with grapefruit zest and hibiscus for a subtle grapefruit citrus aroma and tart cranberry and floral flavor. It ain't so bad to look at either with that ruby glow! 
- Inner Eye : North American Pale Ale - More yeast forward than most interpretations of the style, Inner Eye Pale Ale features floral and citrusy hop aromas with tropical fruit esters from a unique strain of yeast.
- Peach Killah IPA : The recipe is reminiscent of our Hop Killah IPA recipe but with over 150lbs of local peaches from Free Spirit Farms up in Winters, California. This fruit infused IPA comes in at 6.7% ABV and 40 IBUs. Aromas of Citra Hops + Peach followed by the flavor of a classic American IPA.
- Orbital Drift : Orbital Drift shakes up the long established tradition of brewing a Berliner Weisse, (“Berlin White”), beer to be light in color. By substituting the style’s characteristic pale barley and wheat malts with darker, more full-bodied and longer kilned malts, we created a unique brew that has a deep amber hue and earthy aromatic notes. Allowed to age for sixteen months in Cypress wood tanks, Orbital Drift has a complex character, deep acidity and dry malt spiciness.
- Scratch Beer 37 - 2010 (IPA #1 Of 4) : Scratch #37 features Warrior and Cluster hops with a touch of Columbus. It pours a bright gold with a white cap and soft carbonation. Ripe fruits are present on the nose, and continue in the taste giving a lush, tropical papaya-like flavor. This ample bitterness is offset by sweet Munich malt that lingers through each taste. Enjoy our latest IPA foray, and stay tuned for future experiments in the style. Research has rarely been so rewarding.
- Seal Team 6 Black IPA : Seal Team 6 Black IPA is a dark and robust ale that has subtle roast character with chocolate notes and assertive hopping.
- Peach Swisher : Smoked malt is one of the more dubious tools in a brewer's bag because thresholds are vastly different. What to one palate is a hint of bacon or a whiff of BBQ to another is ashtray or Band-Aids. How can Carton ignore playing this game? Where can smoldering aromatics go off the beaten craft? In Peach Swisher we have reassembled the deconstructed aspects of a flavored blunt. Rich, dark malts rendered smoky by the addition of oak smoked pale wheat touched with peach and a heavy plug of the hops that smell like their cousins. Drink Peach Swisher and hand me down a 50-pack.
- Oatmeal Stout : Smooth, roasty, dark beer with hints of coffee and chocolate.
- Brown Bearale : This sweet and chocolaty brew looks intimidating like the bears around Aspen, but finishes light enough to keep you thirsty for another. A popular brew among tourists and locals alike, whether you consider yourself a craft beer drinker or not. The Aspen area is full of black bears and many of them appear cinnamon brown. Before the brewery opened, a mother and her cubs took a liking to the dark and chocolate malts stored in Duncan’s garage and the name for this beer was born.
- Double Dry Hopped The Publick House : Brewed in appreciation of The Publick House, a craft beer mecca in Brookline, MA where close friends and warm hospitality welcome us time after time. This amplified version of The Publick House IPA presents a golden-orange hue, focuses on the exhibition of the Citra, Columbus and Centennial hops, with an aroma bursting of cantaloupe, mango, orange and a subtle note of cedar wood. The flavor profile has a toasted, bready malt character to balance the moderate bitterness. Light lemon and grapefruit pith reveal themselves in a creamy, well-balanced finish.
- Abyss : Jack Daniels Barrel Aged Dark Wheat
- OATIS : Brewed with dark chocolate and orange peel
- Salt Spring Porter : Dark, full bodied and thick, with a toasty nutty flavour, our Salt Spring style dry porter is a perfect marriage of roasted barley, chocolate malt and hops". Noted beer reviewer Stephen Beaumont (the Oakland Tribune hails him as a "widely traveled beer journalist with impeccable taste") gave this brew 3 stars out of 4. If you like coffee or like chocolate, you will like this beer. The brewmasters have found that at festivals, women who say they don't drink beer love the stuff. It is a "sipping beer" with lots of flavour and is for savouring.
- Fresh Hop Hellsner : Fresh Hop Hellsner is a beam of freaking sunshine on a dark day!! German style helles conditioned on boatloads of farm fresh Santiam hops from Goschie Farms in Silverton, Oregon!!
- Dark Wheat : Our Dark Wheat is made from 50% wheat malt and Hallertau hops are used to form a well hopped amber beer. Most try this beer with a lemon but you can usually catch the brewer enjoying it with a lime.
- Hansel : Those New England style IPA’s are so hot right now! Lets face it, there’s a lot more to IPA’s than being really, really, ridiculously bitter. We’ve brewed our Hansel NE IPA with tons of flaked oats and at least three times the amount of late hop additions for a stunning, hazy complexion and citrus aroma.
- Narconaut Black IPA : American Black I.P.A. brewed with Pilsner malt and a variety of dark specialty malts. Seven different hops were used. Dry-hopped with Nugget & Sauvin hops.
- Nelson Sauvin + Motueka : DIPA brewed with a combo of two classic New Zealand hops. Nelson provides gooseberry, grassy, tropical fruit character with a little dankness and the Motueka adds some beautiful lemon/lime character.
- XReserve 06-2014 : San Diego-Style Dark IPA
- Frye's Leap IPA : Frye's Leap IPA is an intense experience. It is a hoppy medium-bodied ale and is full of character. From the caramel malt which gives our IPA its golden color to the distinct fruity hoppiness, this beer is every bit as exciting as its namesake, the popular cliffs on Sebago Lake. Enjoy this refreshing beer with seafood, spicy foods and all things grilled. Take the Leap!
- San Cristobal : An imperial stout aged for 4 months on Siesta Key Spiced Rum barrels as part of an ongoing collaboration between Jdubs and Drum Circle Distilling. These barrels previously held "Esperanza", our first beer of the series, as well as a beer barrel rum that took "best in class" in an international competition in Miami. San Cristobal was made with large amounts of roasted barley, and other dark malts that blend harmoniously together with the sweet candy notes of the rum. Puréed cherries were added during the fermentation process to produce another fine ale, worthy of the series.
- Ruby : Barrel Aged American Wild Ale, Dry-hopped with Mosaic and made with local, organic Ruby Red grapefruit and young Fiji ginger.
- Avalonia : Avalonia is our first barrel-aged, mixed-culture offering and a beer we hope is a great representation of where our barrel program is headed. The various threads of the blend were brewed last summer and aged over many months in white wine barrels. These base beers were created with no immediate “final product” in mind; instead the goal has been to build a portfolio of blending stock capable of creating complex but cohesive oak aged beers. With Avalonia, we found a beer with an expressive/funky nose, rounded but pronounced acidity and flavors reminiscent of dried apricot.
- Farcical Session Golden Strong : Everything you love about Belgian Golden Strong ales: medium body, hoppy, dry, but now in an easy drinking, sessionable brew. Complex yet simple in flavor, with fresh earthy notes, spice, and melon in the aroma.
- La Résolution : Inspired by a recipe our brewmaster Jerry Vietz created for his friends, La Résolution is a dark ale with a spicy character. With a 10% alcohol content, its spicy caramel aroma evolves on the palate into pleasant and complex notes reminiscent of gingerbread. Its perfect balance of spicy, caramel and roasted malt flavours is complemented by a pleasant roundness and persistent finish. A cold-weather brew that warms the heart.
- EvoLupulin : Mayflower EvoLupulin celebrates this truth with a hop profile that we will deliberately change from time to time. Join us as we explore the complexities of lupulin – the source of hop flavor and aroma – in an ongoing quest for something new, different and evolutionary.
- Jeremiah Red Ale : A Silver Medal winner in Strong Ales at the 1996 Great American Beer Festival. This Irish-style strong ale is brewed with a secret blend of five imported specialty malts. Not too hoppy in order to emphasize the complex malt flavor and fruity aroma.
- Scratch Beer 165 - 2014 (Cranberry Porter) : The cranberry is one of only three fruits that can trace its roots back to North American soil. Although its growing season begins in September, the cranberry is most associated with the winter season. Since this little red berry resonates with so many people during this time of year, we find it fitting to release this beer during the commencement of the holiday season. Typically, cranberries are viewed as too bitter and sour to eat raw. However, this magic ingredient lends a pleasant tart, fruity finish and complements the roasty character of this robust porter, providing Scratch #165 with its simple yet festive charm.
- Broomfield Brown Ale : A malty, nutty brown ale. The use of ale yeast gives a fruity flavour and enhances the dark malts.
- German Chocolate Cake Stout : German Chocolate Cake Stout is the latest release in our #pastrystout series, featuring recreations of some our favorite desserts. GCCS is an imperial milk stout brewed with lactose, toasted coconut, cacao nibs and pecans. Decidedly sweet, yet surprisingly drinkable, GCCS opens with a huge burst of rich coconut, lending way to caramel malt sweetness, dark and bittersweet chocolate and coffee from the cacao and chocolate malts, and just a hint of nuttiness from the pecans. Rich, decadent, creamy, flavorful and the perfect beer to cozy up to on a cold fall night.
- Nickel Brook Bolshevik Bastard Russian Imperial Stout : The newest Nickel Brook creation was brewed for those of you who aren't afraid of big and bold beer! Made with a blend of roasted barley, chocolate and amber malts, this Imperial Stout gives rise many deep flavours of rich, roasty chocolate and dark fruit. To counterbalance the sweetness, The Bolshevik Bastard is aggressively hopped at 70 IBUs to give rise to this remarkably smooth Imperial Stout that you won’t believe is 9.0% ABV!
- Straight-Up Hefeweizen : In Bavaria, wheat beers were once the exclusive province of royalty, and it’s easy to see why. With their reliance on costly wheat, a refined aroma and a magical combination of complexity and easy drinkability, wheat beers tickle just about everyone’s fancy. They deserve wider appreciation. Straight-Up Hefe-Weizen is brewed with 60 percent malted wheat and 40 percent pilsner and other malts. It is an unfiltered beer with a cloudy appearance due to yeast and proteins that add a rich creamy mouth feel. A classic Bavarian wheat beer yeast is used, adding subtle layers of banana, bubblegum and spicy clove, the signature trio for the style. The finish is creamy, dry and just a touch tangy.
- F5 IPA : A straightforward malt body supports the distinctive bouquet of Columbus and Falconers Flight hops that impart citrus, grapefruit and pine notes characteristic of the West Coast style. F5 is a belligerent hop reckoning.
- Bean Counter : Bean Counter is a Belgian-style Brown Ale brewed with Taxman's signature blend coffee from Mile Square Coffee Roastery. A rich base of caramel and roasted malts is enhanced by a generous dose of coffee, cocoa nibs and Mexican vanilla beans, making Bean Counter a complex dark ale perfect for nights around the fire.
- Stout : Most everyone has heard of this style, even if they haven’t tried it. Our version is a traditional dry Stout, found in the southern part of Ireland. It’s dark, drinkable and definitely true to style.
- Belgian Blonde : Our Belgian Blonde is a perfect spring beer made to be enjoyed while sitting in our beer garden. This is a light colored all malt beer fermented with Belgian Abbey yeast. Sazz and Goldings hops add a spicy taste and floral aroma. The Abbey yeast adds its distinct fruit aromas. A wonderful light beer full of Belgian style complexity.
- 80,000 Electron Volts : Light bodied American Wheat Ale featuring truckloads of Galaxy hops. Expect strong notes of passion fruit.
- Stegmaier Winter Warmer : Traditionally known as Old World Ale, Stegmaier Winter Warmer boasts a brilliant, reddish-orange color and a full chewy body. It presents a robust malty, sweet and fruity aroma that attempts the senses. In using a blend of well-modified pale malts, along with judicious amounts of caramel and specialty character malts, Stegmaier Winter Warmer possesses a high malt character with luscious complexity and alcohol warmth, balanced with the traditional hop bitterness. Enjoy this flavorful offering in the company of your closest friends on a frosty winter night.
- American Harvest Belgian-Style Golden Strong Ale : Golden in color, this strong Belgian-style ale has notes of bready malt alongside a touch of fruitiness and spice from both the Belgian yeast strain, and the addition of coriander and orange peel.
- From The Ibex Cellar: Local Oak : A mixed-fermentation process creates all the personality you expect from a beer like this, with a light malt character and tart fruitiness from Lactobacillus and Brettanomyces. Aged in Foeders hewn from locally grown Ozark timber, this beer ages gracefully until it's ready.
- Fathead Barleywine - Reserve Series Aged In Whiskey Barrels : A rich, full bodied Barley Wine with a wonderfully warming character from the malts & dark brown sugars. Held to the light, its burgundy color is fitting for a bigger beer that has aromatics that hint of the oak, the whiskey, the somewhat sweet nature, and molasses that makes this beer truly unique. The non-barrel-aged version of this beer took Silver in the 2009 US Open Beer Championships. Using Stranahan’s Whiskey barrels, we aged this beer for 6 months to impart a small amount of oak tannins and the whiskey character that combine to elevate this beer beyond its original entry into this world. Excellent to enjoy now and cellerable for years.
- Bowen Island Irish Cream Ale : Known for its low levels of hoppiness and nutty flavour profile, the Bowen Island Irish Cream Ale combines a nice mix of smooth drinkability and flavour. For appearance, you will see a rich and creamy head atop a dark brown liquid.
- Smokey And The Red Baron II: If Cats Could Fly : A house recipe crafted by our Brewer Keir Hamilton that's been popular at barbecues at the brewhouse. It's a Hefeweizen with genuine German yeast that features three different smoked malts. The interplay of smoke and clove notes from the yeast make this brew a complex one indeed. 5.9% ABV
- Black and Blue Tastee : Tastees are kettle sour ales clocking in at 5.5%. We add a ton of lactose to these and brew them intentionally to be fuller bodied to try and replicate a fruit smoothie. We then select two different fruits and bomb them out in secondary fermentation at just shy of double fruited goses levels of fruit. For the third fruit blend in this series, we decided to use Blackberry and Blueberry. This turned out insane. This one is literally like an adult fruit smoothie LOL. Tastes like grandma’s blueberry pie filling with some acidity to it. The thickest Tastee yet!
- Foggy Goggles : Mosaic and Simcoe hops. Aromas and flavors of pineapple, tangerine, and grapefruit with hints of pine and resin.
- Poleeko Pale Ale : Poleeko Pale Ale is an exceptionally flavorful and well-balanced beer. With a bright, citrus hop profile and mild malt flavors reminiscent of English biscuits, the aromas of pink grapefruit and lemon zest compliment the brisk, balanced finish to create a truly refined American Pale Ale.
- Hop Ottin' IPA : Our Hop Ottin’ IPA is brewed and dry-hopped with copious amounts of Columbus and Cascade. This beer is a showcase of the bright citrusy aromas, bold grapefruit and pine-like flavors, and resiny bitterness that hop heads crave. With a brilliant, deep amber color and solid malt backbone, hints of citron, roses, and bergamot climax with a dry, herbal finish in this well-balanced interpretation of a West Coast IPA.
- Robust Porter : This hearty, mahogany colored ale is brewed to evoke the dark, full-bodied ales that were a favorite of dockworkers and warehousemen (hence the name “Porter”) in 19th century London. It is a good bet that when Dickens’ Mr. Pickwick sat down for a pint, we would have been drinking an ale much like our Robust Porter.This is a smooth and very drinkable beer, characterized by its well-balanced malt and hops, plus subtle notes of coffee and chocolate.
- Boont Amber Ale : Balance is what makes our Boont Amber Ale so unique: rich, crystal malts give this beer a deep copper hue and contribute a slight caramel sweetness while the herbal, spicy bitterness from carefully selected whole-cone hops impart a crisp, clean finish. Hints of sun toasted grain, toffee, and fruity esters compliment the mellow, noble hop aroma.
- Big Woody Barley Wine : Huge malt and intense fruitiness dominate. No expense is spared with the use of English floor malted barley. Aged in various oak barrels including Jim Beam and Napa Valley wine barrels for a minimum of one year. A true delight.
- Pink Moon : Burial Pink Moon is a saison brewed with grapefruit peel and pulp, plus pink peppercorn. Each bottle will come with a packet of Sow True Seeds. The seeds yield pink stock flowers.
- Stuck In Amber : Stuck in Amber is an ale that, much like the fateful mosquito in Jurassic Park, perfectly preserves the potent yet layered floral and fruity aromas and flavors of a variety of American hops, in a balanced shell of toasty, nutty and sweet caramel malt.
- M-43 N.E. India Pale Ale : The First release in Old Nation's "New Orthodox" IPA series, M-43 is designed to accentuate the deep and complex character from the combination of Calypso, Simcoe, Citra and Amarillo hops. Citrus and Tropical notes of Pineapple, Mango and Grapefruit come through in the huge, yet surprisingly delicate aroma. The flavor backs these aromas with a soft, pillowy mouthfeel. Hop bitterness is not particularly intense, which leads to a very drinkable, New England IPA even non-IPA fans love. The Haze is not from yeast, but rather from an interplay of lipids from the malted oat and oils and acids which naturally occur in the hand selected Dry hops. This beer is a perfect interplay between top grade malt and hops, MI water and brewing technique which cannot be faked.
- Slam Dunkelweizen : A traditional Bavarian dark wheat beer has a creamy mouthfeel and rich notes of banana bread, caramel, and a hint of spicy clove. This authentic brew captures the true spirit of Gemutlichkeit!
- Belgian Golden Ale : A golden, complex, effervescent ale with a sweet start and a crips dry finish. you will also pick up some pear notes.
- Destination Unknown : Introducing from the dark depths of the east bay, Destination Unknown Double IPA: A Cadillac-sized hop bomb that cruises the streets of Berkeley leaving notes of grapefruit oil and honeydew melon in its wake. Pouring this beer on Shattuck, its hazy body looks like the fog rolling off of the bay with a head of hop resin that dissipates just as you hit Durant. As you slide past Sproul Plaza and the smell of patchouli wafts by you find refuge by planting your nose in the glass, and inhaling a ridiculous amount of Mosaic hop-induced notes. Fresh-squeezed grapefruit juice, ripe melon, fruit salad, and copious amounts of pot... ...wait, that last one is actually some kids lighting up on Channing. Keep on strolling, taking sips and enjoying the body that is saturated with Mosaic hops and sticking to palate like your feet to the floor of the 79 bus. By the time you hit Ashby you can't help but wonder how on earth you drank a pint glass out of a paper bag, but it doesn't matter, the remnants in the glass still boast huge hop aromas, just put your nose in that bag and inhale over and over. Don't worry, you'll blend right in. Time for another pint, hang a left on Adeline and see where Destination Unknown takes you. 
- Phyrst Phamily Stout : The color is pitch-black, but this beer is eminently sessionable. The distinctive notes of dark chocolate and roasted coffee are hard to resist. Nitrogenation at the tap produces a creamy, satisfying mouth-feel that is followed by a surprisingly clean, dry finish.
- Brewer's Brunch Blend (2013) : A blend of Super Nebula, Nebula, and Imagine matured in bourbon barrels with Tahitian vanilla pods and organic Peruvian coffee beans. A deeply complex combination with notes of cocoa, chocolate and bourbon. The sweet body is gently balanced by the roast and slightly acidic Peruvian coffee beans. Good morning!
- Tropsicle : A tart IPA with guava, grapefruit and Cascade hops.
- One-Off Unsessionable : A single keg of our Unsessionable Imperial IPA with grapefruit zest and an additional 2 lbs./Bbl dry hop of Cascade, epitomizing the characteristic of immoderation you've come to expect of this series.
- Pandamonium : Our Russian Imperial Stout is composed of two row base malt, flaked barley and oats, a total of 9 adjunct grains and blackstrap molasses round out this beer to make it complex and compelling.
- SUPERfreak : Inspired by our traditional fall seasonal, Freaktoberfest, we took this beer to the next level of freakiness. Dark amber in color, sweet pumpkin spice and coffee permeate the aroma. Brewed with pumpkin, lemon peel, nutmeg and allspice, this beer offers a citrusy twist on traditional fall flavors. Partnering with Brooklyn’s own Café Grumpy in our second endeavor, we cold-brewed their Rwandan roast, Nyarusiza, and infused the concentrated cold brew directly into the fermentation. This combination brings out subtle lemon, cherry and vanilla flavors, and at 9.1% ABV it has a pleasant warming finish.
- Sidewinder Oatmeal Stout : Rich and Robust. The depth in color and flavor complexities lavish your senses, expressing roasted barley, smooth chocolate, and a silky oat body…
- Psycho Killer : IPA dry hopped with Citra, Amarillo, El Dorado and Mosaic, finished with dragon fruit.
- HopLab: El Dorado : 8.4% imperial IPA brewed with El Dorado, Mandarina Bavaria and Lemon Drop hops in the kettle and El Dorado, Mandarina Bavaria and Mosaic in the dry hop. The blend of these hops creates tropical fruit, citrus and melon flavors that complements the dark fruit flavors from the small amount of high crystal malts we used in the mash.
- Fruit Of The Vine : Imperial IPA aged 18 months in French oak California Chardonnay barrels brewed with Australian Sauvignon Blanc juice and dry hopped with Nelson Sauvin and Vic Secret. This incredibly complex IPA is like a stroll through a vineyard at harvest; woody oak, white grape, melon, passion and stone fruit are front a center with a lingering vinous oaky character.
- Michelob AmberBock : Michelob AmberBock is brewed using 100% malt including dark-roasted black and caramel malts and all-imported hops.
- Single Hop APA (CTZ) : Our latest Single Hop brew using CTZ hops. An unfiltered Pale Ale with huge grapefruit notes, a hint of caramel malts and a good bittering balance.
- Violet Beauregarde : Fruity and snooty. Violet Beauregarde is a blueberry blonde that you can drink without fear of Oompa Loompas rolling you away. You found the golden ticket, get sassy!
- Marshal Zhukov's Imperial Stout : This Russian Imperial Stout is dedicated to Georgy Zhukov, arguably one of the finest generals of World War II. Opaque black in color, with notes of espresso, chocolate, dark toffee and hints of backstrap molasses. The English hop varietals provide a subtle herbal dryness, and finishes with a hearty slap of roasty espresso. Pair Marshal Zhukov’s with Mushroom Solyanka, dark chocolate, cherries and ground wars in Russia.
- Abita Select Weizenbock : Our Weizenbock is an American style strong wheat beer. It is made from 50% malted wheat and 50% malted barley. The wheat is used to give a distinctive flavor and because of its high protein content, a light hazy color. We use an American wheat yeast strain that will give the beer a fruity aroma and flavor, but not a clove flavor that is associated with German styles. We use Cascade hops to give a slight citrus flavor, but only in very small amounts so the flavors from the wheat and yeast will be predominant. This beer is not filtered so it will be cloudy in appearance, but will still be very refreshing even though it is 8% ABV.
- Walkabout IPA : Our second collaboration with our good friend and Aussie Chef Aaron Brooks of Edge Steak & Bar Miami. This Northeast Style IPA is single hopped with Australian Galaxy and infused with Passion fruit.
- Ives Blend 1 : Ives is a label we created for a series of "wild" wheat based beers rooted in the classics from Brussels. In typical Upright fashion, our take is not meant to copy an existing style or specific beer, but to use other examples as a starting point and inspiration. All of the beers under this label use raw wheat and an unusual mash process intended to slowly draw out the barrel fermentation and aging process, creating depth. This first release is a blend of only four casks, all of which were inoculated with orchard yeast and bacteria. After 19 months in the barrel, the beer was bottled still and straight, with no young beer added. The combination of its well aged character, hop rate and the complex fermentation yield a beer with layers of aromas and flavors sharing notes with certain white vermouths, a commonality enhanced by the lack of carbonation.
- Canterbury Dark Mild : Caramel bodied with delicate aroma hops and a pleasant finish. Canada’s first copper-coloured lager, Canterbury Dark Mild is brewed with the finest hops, yeast and most importantly, two-row malted barley. This distinctive beer is an homage to the finest of British brews and a favourite of those want mouth-filling flavour when they’re in the pub or at home.
- Steelback Tiverton Dark Lager : Reformulated version of Tiverton Bear Dark Lager.
- Boyl'r Mayk'r : A delicious corn-based beer that, thanks to its low original ABV and unassuming flavor profile, acted as a ‘yum-sponge’ grabbing everything available from barrel aging. Oak-y, bourbon-y and corn-y, this lil’ sucker retains its original crushability while adding the complex flavors of barrel aging. Aged 160 days in 18 year bourbon barrels.
- IPA - Columbus & Chinook : This IPA is the result of one of our most massive dry-hopping rates to date. Chinook & Columbus work together to create pleasant herbal and fruity aromas with a highly resinous finish.
- Cicada Belgian Style IPA : Our first dry hopped Belgian-style IPA, we brew Cicada with a classic Belgian yeast strain and local wildflower honey, making it a truly indigenous ale. Subtle bubble gum notes from the yeast balance a smooth, caramel maltiness. Both citrus and earthy flavors round out this full-bodied, complex beer. Our buzzworthy brew will leave quite the impression on you, just like its namesake, which engulfs the mid Atlantic region every 17 years.
- Rauchbier : 26% of the grain bill is composed of beech-smoked barley malt, an ingredient made famous in the Bavarian town of Bamberg. She has the nose of cured meat, and the brew pairs perfectly with cheese, olives, and fresh bread. A dark amber brew, the flavor is truly unique to its color.
- Past Masters 1914 Strong X : X Ale was colloquially known as "Four Ale" in London because it cost 4d a pint. It was a mild ale, however, 2014 Past Masters has been made slightly stronger at 7.3% ABV. The same raw materials have been used: pale ale malt, Brewer’s invert syrup No3 and dark syrup to give the sugars for fermentation. The hops include Goldings and Fuggles from England, although they may have been sourced from Belgium in the original brew in 1914.
- The Intent Brett IPA : Brettanomyces is a species of wild yeast normally seen as a threat in the brewery, but we love the fruity and funky flavors it can produce when used with intention. Our house blend of Brettanomyces strains is sourced from RVA Yeast Labs LLC in Richmond, VA. The Intent is the second of many 100% Brett beers to come to 401. Azacca & Amarillo hops bring tropical fruit (eg, mango, pineapple, papaya) and citrus flavors & aroma to balance the fruity and slightly funky fermentation profile of our blend of brettanomyces strains, one Belgian in origin and the other isolated from a Virginia orchard. 
- Diabolical Doctor Wit : Diabolical Doctor Wit is a white ale brewed in the authentic Belgian style. This Belgian style Wit starts off with a wheat base and is left unfiltered. It is then carefully spiced with coriander and bitter orange peel and aged with lavender to introduce a unique floral bouquet that complements this complex yet refreshing fruity thirst quencher.
- Anianish : A wild farmhouse ale aged in oak with fruit & spices.
- Fortress Of Sourtude : Fortress of Sourtude is a mixed fermentation ale made with nearly 80 pounds of peaches per barrel. For primary fermentation we used Orchard Brettanomyces. After the peaches were added we allowed multiple native Georgia lactobacillus strains that were cultured from the peach skins to further sour the beer to give it a wonderful, clean tartness. The ridiculous amount of peaches that we used (2000 pounds) contributed amazing aromatics and flavor that are a perfect accompaniment to the wild microflora that adds depth and complexity.
- Lemondrop It Like It's Hot : Lemondrop It Like It’s Hot opens with notes of lemon zest, candied lemons, tangerine and grapefruit, and just enough pineapple and mango tropical fruit character to complement. LILIH was designed to showcase one of our favorite hops, Lemondrop, which we used at nearly three times our normal dry hop rate, using more than 5 lbs of Lemondrop hops alone! Citra and Mosaic hops serve to complement the bright lemon citrus character contributed by the Lemondrop hops. Dripping with citrus and tropical fruit, LILIH still strikes a balance between bright, juicy hop character and impressive drinkability thanks to the soft, pillowy mouthfeel and restrained bitterness.
- Agnus Dei : Our Wit beer is a delightful thirst-quenching rendition of the classic Belgian wheat ale brewed with orange peel, coriander, and a carefully sourced third spice. The aroma and flavors are a balance of bright fruits, spice, and wheat. It has a soft traditional haze and a light to medium body. A refreshing and flavorful ale.
- Hurricane : Here comes the story of Hurricane... Hurricane is a Double IPA featuring intense kettle and dry hop doses of primarily Simcoe & Citra hops! A pungent aroma of earthy citrus gives way to a beer rich with complexity, conjuring perceptions of papaya, melon, mandarin orange, and stone fruit. By applying years of focused brewing execution, we are able to craft Hurricane - a beer that is neither abrasive or harsh, and features tirelessly refined characteristics. We are welcoming this beer to the family as a proud example representing who we are as a brewery. It is the result of our uncompromising dedication to fresh, progressive, and pleasantly drinkable beer. We invite you to enjoy it with laughter, good cheer, and in the company of those you love.
- Throwing Shapes : Throwing Shapes is a Rye Double IPA. Brewed with heaps of flaked rye and exclusively hopped in the kettle with the almighty Simcoe. Then aggressively dry hopped with Equinox and Citra. Big notes of grapefruit zest, orange oil, pine tar, and a snappy earthiness.
- Dark Voyage : This black ale is the perfect balance of dark roasted malt and bright hop flavors. With bold and complex flavors at the forefront, this beer retains a remarkably clean finish.
- McGuire's Irish Stout : Not for everyone - but if a rich, creamy, dark ale with a distinguished roast flavor appeals to your taste buds you will enjoy a pint of McGuire's Stout. To produce the sumptuous, creamy head we use a special nitrogen draft system. This robust brew is created with dark roasted barley and Chinook Hops.
- Millhouse : Blended dark farmhouse ale aged in Millstone Cider barrels with raspberries.
- Vic Secret Blonde : Beautiful pale orange hue with a light white head. Vic Secret hops give a clean hop aroma with gentle tropical fruit notes. Soft sweet malt gives way to a crisp, slightly hoppy & dry finish.
- Gold Teeth : Sour, low alcohol, fruity and lemony, Berliner Weisse is the beer of choice for hot days. At 4.0% ABV, you can almost drink them like water, and the sour twang will keep you refreshed.
- Meerts - Honey Conditioned : After three months of fermentation in our 40hL French oak foeders, we conditioned our base Meerts in the bottle with apple blossom honey from Staude’s Apple Blossom Acres in Watertown, WI, which contributes subtle floral and fruity characteristics to the beer.
- Experimental Hop Double IPA : Complex and resiny
- Rusty's Red : A generously hopped American ale with a deep ruby hue. Dark roasted malts give the beer the toasty backbone that balance the pine and citrus notes from the hops. Rusty’s Red is aptly named for the often-grumpy alter ego of our Chef de Cuisine, Dusty Berard.
- Five Points IPA : Brewed with Galaxy hops from Australia and Cascade from the American Northwest, providing a fantastic character of tropical fruits such as lychee and mango as well as fresh citrus. 
- Feels Like It Might Be Alright : Nectarine IPA brewed with German Pilsner malt & oats, and hopped with Mosaic and Ekuanot in the kettle. Conditioned atop heaps of locally grown nectarines from our buddy Ben Wenk @3springsfruit . Dry hopped with experimental hop number 09328. Crisp and juicy! Big notes of tangerine, perfectly ripe peach, cucumber, and meyer lemon.
- Robber King : Dark and bold, this porter focuses more on what dark beer lovers crave. A robust roast note evocative of coffee is balanced by a slight sweetness which comes across as a slight dark chocolate note. 
- GPA (German Pale Ale) : A German style pale ale debatably does not exist in the craft beer industry. Until now. 3 Nations’ German Pale Ale (GPA) is our experiment turned calling card. We couldn’t be more proud of the way this beer’s enormous citrus, passion fruit, and lemony like aromas blend with a bitterness that gives it a recognizable finish. Plus, the well-rounded malt profile balances out the American hops. That’s right, we used American hops to brew this cross of a German Alt/Koelsch. It’s not blasphemy. Just a revised version of a traditional style, with a little greatness mixed in.
- Sarah Lovely Dark Sour : Dark Sour Ale with Raspberries.
- Bellwoods / Evil Twin - No Sleep Till Brooklyn : This big sour stout is really something extraordinary, balancing roasty complex malt flavours with a tart sourness that works in a strangely perfect harmony. Our second collaboration brew with Jeppe from Evil Twin Brewing (the first being Fruit Helmet), No Sleep Till Brooklyn was a beer that aged in barrels with a slurry of wee beasties for over six months. With ample time to develop and sour, the resulting brew is a little more romantic than your average pint (if you fall in love with beers like we do).
- Pipeline Stout : They don't call it black gold for nothing. This full bodied oatmeal stout is smooth and creamy. Even if you don't consider yourself a dark beer drinker, be sure to ask for a taste. "Fuel for your next Alaskan adventure".
- DeadHead Double Red Ale : This imperial or 'Double' Red Ale has intense hop bitterness, flavor and aroma balanced by high notable alcohol content, fruity esters and caramel malt character. It is dark reddish-copper in color and full-bodied.
- Double D IPA : Our most hop-forward beer, the Double D is our Imperial IPA brewed with heaps of Cascade, Simcoe, Centennial and Chinook hops. You will find a pale orange beer with characters of pineapple, juicy tangelo, grapefruit peel, papaya, floral spice, and honey-sweet grain. Double D has a medium body with a moderate amount of bitterness and a refreshing finish.
- Guinness Extra Stout (Original) : Aroma: Medium and balanced. A roast character with subtle fermentation fruitiness
- Brooklyn Black Chocolate Stout : This is the famous Brooklyn Black Chocolate Stout. In the 18th century, Catherine the Great, Empress of Russia, ordered a stout to be sent to her from England. This beer was brewed strong and hoppy to survive the sea voyage, and it arrived in perfect condition. Soon "Russian Imperial Stout" became the toast of the Russian aristocracy. Brewed since 1994, our Black Chocolate Stout has itself become a modern classic, heralded the world over. It achieves its dark chocolate aroma and flavor through the artful blending of six malts and three distinct mashes. Properly kept, it will improve in the bottle for many years. This stout is the toast of the winter season in many countries, and there is nothing better to enjoy with chocolate desserts, cheesecake, ice cream, fine cheeses and roaring fireplaces.
- Collective Project: IPA No. 4 : t’s the season for fresh hops and as the 4th edition of our IPA project, our brewers knew they needed to find a mix that would deliver on an assaulting-ly juicy, dank aroma, and taste. We added hops everywhere but the boil in this hazy, yellow brew. Breathe it all in as floral, fruity, pineapple from the Hallertau Blanc, earthy, blueberry, blossoms from the Mosaic, and citrus, gooseberry, lychee from the Citra transport you to warmer longer days of summer past.
- All That Is And All That Ever Will Be - Maple : For this rendition of of All That Is we added extra dark maple syrup during several steps of the brewing process. The result is like chocolate chip pancakes drizzled in Maple Syrup. It makes us yearn for crisp days that soon await us here in New England.
- Rainbow Wheat : A classic Munich style Heffe-Weissbier, with a light slightly fruity flavor and an underlying sweetness.
- Plum Rye Bock : Plum Rye Bock is a Rye Lager brewed with plums. Dark copper in color with beautiful clarity, this beer has an off-white head with aromas of bread, toffee, and plum. Upon first sip, you’re greeted with classic clean Bock flavors of malty caramel and light toffee. Light-medium bodied, the fruitiness of the plum flavors add a touch of tart sweetness with some spicy rye notes. Plum Rye Bock finishes smooth, crisp, and clean.
- Lobster Ale : Lobster Ale is a copper "Red" ale with a medium hop flavor and aroma. It offers all the qualities of "Red Ale" with subtle levels of fruity-ester flavor and hint of caramel. A slight yeast haze and chill gives Lobster Ale a clear. foamy. rich head. Belfast Bay Brewing Co, is near tile Canadian provinces of New Brunswick and Nova Scotia known for it Red Ale breweries.
- Never Mind³ : Triple-fruited version of Never Mind.
- Scratch Beer 104 - 2013 (Triple Golden Ale) : The flavor of Scratch #104 originates in the unique Belgian Golden Ale yeast strain, which is fermented at a slightly higher temperature than normal for ale. Slightly fruity with a well-rounded mouthfeel and semi-dry, lingering bitter finish, this alluring Triple Golden Ale is steeped in the tradition of strong ales originally brewed in Belgium. The addition of cane sugar bolsters the alcohol considerably but adds plenty of sweetness to mask the significant alcohol content. Take heed! Scratch #104 is quite stealthy and smooth for a 9.1% ABV ale.
- Kuhnhenn Todd's Michigan Mud : Made by our very own Todd Schwem, this Chocolate Stout was made with cocoa nips from Ghana and vanilla beans from Madagascar. It is quite rich, black in color and complex. It begins with intense chocolate and finishes with vanilla.
- Southside : Hoppy Wheat - Jerry’s interpretation of the modern American style hoppy wheat. Modern hops give it a tropical fruit nose with just a hint of earthy spice. The slightly hazy wheat body really allows those hops to shine.
- Nut Brown Ale : The rich mahogany hue of the Nut Brown is the first thing you will notice. You’ll find subtle hints of both chocolate & coffee. We delicately blend chocolate & caramel malts with four others to make this flavorful, easy drinking beer. The malt character will appeal to those looking for a moderate dark ale, but the smoothness is what will surprise all.
- Day & Night (Ethiopean Nigusse Lemma Coffee) : This Barrington cold brewed coffee infused blonde barleywine is the luminous counterpart to our dark, rich imperial stout. In Day & Night, we envisioned the blonde barleywine style as a way to showcase the nuanced floral, fruity, and spicy characteristics found in medium and lighter roast coffee blends. Golden-Amber in color, Day & Night exudes delightful aromas of almond toffee, graham crackers, fruity coffee, lightly acidic berries, and vanilla. Upfront flavors of creamy coffee, honey tinged malt, caramel, and tart berry blend cleanly with a slight coffee-derived bitterness.
- White Birch 2 Anniversary Ale : Rich mahogany color with ruby highlights, we offer you our second anniversary beer. This oak aged Belgian style dark ale is one to enjoy now, or savor for years to come. We feel this is one small way we can show our appreciation for your continued support of our dream.
- Berry Blonde : She’s back and better than ever! Berry Blonde Ale, Mayday’s fruity blonde temptress, is debuting just in time for the sunshine! This annual Mayday brew blends sweet Raspberries, Blackberries, Strawberries, and Blueberries into a crisp blonde ale meant to tantalize your sweetest taste buds. It will be love at first sight for her vibrant rose color and frothy pink head, but prepare to fall head over heels for her tart forwardness and smooth finish. Come give her a try. She is a guaranteed berry good time.
- Mirepoix : In contrast to singularity, the goal of any blend is to create something greater than the sum of its distinct parts. In this way, our approach to blending becomes a culinary in nature, our barrels inspiring us to take whole their desperate parts and create new flavors and depth through blending. Mirepoix, a unique bled of barrel-aged beers, is the result of this continued inspiration, and out effort to illuminate the dark of winter. Sante
- International Affairs : Double IPA brewed with grapefruit zest. Brewed in collaboration with Pizza Port Brewing Co. and Zagovor Brewery.
- Old Irving / Alarmist - Jacked! : This NEIPA is a collaboration with our friends at Alarmist Brewing. Brewed with Azacca and Motueka hops, tropical yeast, a kiss of lactose, and topped off with fresh jack fruit for a tropical, low bitterness IPA.
- Redolent Rye : A crisp, and exceedingly aromatic pale ale that entangles the dry earthiness of rye with intense hop notes of pine, flowers, and tropical fruit.
- Arctic XPA : A American-Style Pale Ale with an extra hop kick! A crisp, quenching ale with hints of grapefruit in the bitterness. A little malted Oat added to the mix to lend a nice texture and balance to all that hoppy goodness!
- PM Dawn W/ Barrington Barreiro Coffee : In another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, this is a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Gose Good With Wood : Gose Good with Wood is Gose brewed with passion fruit and finished on French Oak chips. Bright and golden in color, this Gose pours with a white head and aromas of tropical fruit, salt, and oak. A tropical flavor of passion fruit is elevate by an earthy salinity. Medium-bodied with a refreshing mouth feel is complements a finish that is dry, tart, and slightly oaky.
- The Great American Brown Ale : Hops and malt sweetness upfront with a daring dark chocolate, dry finish.
- Tax Holiday : Tax Holiday is a creamy, full-bodied, reddish-amber Christmas ale. Chocolate rye creates a rich and spicy malt profile, while Hunter's Farm Buckwheat Honey provides deep color, sparkling dryness and subtle notes of molasses. A blend of Pacific Gem and Saaz hops contribute warm but balanced fruit and oak flavors on the back of the palate. Ringing in at 10.2% ABV, Tax Holiday will be the perfect beer to warm up with on a cold winter's night
- Darkness : Is an American wild ale fermented with three strains of wild Brettanomyces yeast. This dark ale has a smooth character and a complex profile. Hints of curacao orange and coconut can be detected in the finish. Perfect for those cold Vermont winter nights.
- Yclept : Clean, Complex, Tangerines, Silky, Crushable.
- Interstellar Storm : Interstellar Storm American Wheat - refreshing, pale in color, cloudy and unfiltered, highly carbonated, fruity flavors. Galaxy hops.
- Redhook Treblehook : Treblehook is vigorously hopped and patiently aged with aromatic malt and spicy hop notes. Smooth and complex, this beer is carefully brewed by hand with sublte caramel, toffee and chocolate notes.
- Passionfruit Gose : Our Passionfruit Gose is full-on, unfiltered goodness. We combine the tart sweetness of passionfruit with the unmistakably refreshing characteristics of a gose. 
- Oak Wizard : An Oak Aged Imperial Brown Ale with tons of oaky, woody flavors. The base brown malt profile provides a huge caramel, coffee and chocolate body with minimal hop bitterness match perfectly with the complex flavor profile of the oak chips.
- Double Shot - El Salvador Peaberry : We are very excited to partner with our dear friend Scott Kerner and his newest passion - Carrier Roasting Company - for a special rendition of Double Shot! Honey Process El Salvador beans were hand selected and roasted specifically for this batch, resulting in an especially integrated version of Double Shot yet. We experience flavors and aromas of praline, caramel, dark chocolate, and cocoa powder intermingling with a bounty of complex fruity tones. An intriguing, fresh, and unique bean indeed. A rich, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike! It is, in our opinion, the result of what is possible with the careful selection of ingredients and the spirit of true collaboration. We are so excited to share it with you!
- Cashmere + Galaxy : Cashmere + Galaxy (8.5%) is another one of our dual hop double IPA with another combinations. Cashmere has notes of tropical fruit and citrus.
- La Fou : Belgian-style Blonde Ale aged on medium toasted French oak. Light fruity & spicy notes blended with vanilla and toasted oak character.
- Brains Craft Brewery Weiss Weiss Baby : A traditional Bavarian style Weissbier (“white beer”) brewed with malted wheat and Hallertau Tradition hops. This naturally cloudy beer uses a distinctive Weissbeer yeast to produce a light, refreshing beer bursting with fruity banana flavours and spicy cloves. First introduced this summer in keg, Weiss Weiss Baby makes a welcome return in cask at 4.9%.
- Night Navigation : Loads of oats and dark malts work together harmoniously to produce notes of chocolate, coffee, roasted bread and dark caramel.
- Sour Citra : Cascades very first dry hopped sour ale. Features our strong blonde ale aged in white wine barrels with Citra hops. Lively hop aromas of passionfruit, grapefruit, peach and tropical fruit are met with a brisk tartness and soft malt from the beer.
- Pineapple Grenade : This Is Our Refreshing Take On A Classic German Style. This Pineapple Hefeweizen Explodes With Sweet And Tangy Fruit Flavors Backed By Fragments Of Spicy Clove And Banana.
- Black Magick : This is an Imperial Stout that is of great strength and complexity. We then gently age that beer in Elaigh Craig 13 1/2 year old Bourbon Barrels for 6 months to 1 yr. and then primed and bottled to bottle condition for continued aging and celler life. Black Magick should be able to be aged up to about 5 years, to heighten the complexity and smooth nature of this beer.
- Lilikoi Ale : A light golden ale with passion fruit flavor sure to tantalize your taste buds. Approximately 4% ABV and 20 IBU's
- Belgian Pale Ale : Fruit-forward on the nose, with a clove and hop finish, this one is light on the palate.
- Black & Red : Black & Red is a velvety smooth, dry-minted stout with a serious fruit problem! The huge portion of heavily roasted grains brings a dry, chocolatey character that contrasts Black & Red's sweet, fruity, full body.
- Bent Nail IPA : Bent Nail I.P.A. is a tribute to the hard-working contractors who make their living in Red Lodge. The I.P.A is high in alcohol and hop flavor. We use copious of American cascade hops to give the IPA intense grapefruit and citrus aroma and flavor.
- Trapped In Amber : A very hoppy Amber. We’re going for bright fruit and herbal hop flavors with a more malt forward base.
- Uberliner : Uberliner takes the traditional German Berliner Weisse one step further. Sour, tart, fruity and effervescent but packing a serious punch. A little different but we like different.
- Baltika Brew Collection - Russian Amber Ale : This exclusive sort of ale was inspired by the beautiful masterpieces of landscape painting done by the world famous Russian artists. This unique dark-amber beer with its rich, lasting hop aromas recreates the enticing sweetness of the woodland air, fragrantly intoxicating. Just a single sip will carry you away into the mighty ancient Russian forests in their summer splendor, and fill you with their calm, strength and wisdom.
- Maximilian (Max) Imperial Stout : Originally brewed by English brewers in the late 1800′s for export to the royal court of the Russian Empire, imperial stouts were once the private beverage of the czars. Very dark, with big roast and dark malt flavors, significantly hopped for balance against a massively chewy full body, and with a warming strength that can melt away the chills of a harsh northern winter…these are the trademarks of an imperial stout. 
- Thomas Hooker Liberator Doppelbock : Hopped with German and Czech hops and fermented with Bavarian lager yeast, this traditional doppelbock blends an extensive amount of select dark malts to achieve its rich and creamy character. Rich and filling, this brew is a malt lovers dream.
- Hide And Seek Hefeweizen : A traditional wheat-based ale originating in Southern German, typically brewed for summer consumption. At Public House, we take our Hefeweizen seriously. Not only do we use traditional ingredients, but our brewers use the traditional, multi-step infusion mash method (adding time and toil to the brew day) which gives the beer the appropriate body without cloying sweetness. Pale, spicy, and fruity, our Hefeweizen is medium-bodied with a fluffy, creamy fullness that comes directly from the wheat. 
- Funk N’ Sour Series : Batch No. 2: Cassidae : Cassidae is a sour Brett saison fermented with blackcurrants in second turn Cabernet Barrels. The base for the blackcurrant was a mixed primary fermentation of Brett, lacto, and saison strains aged in barrels for six months before receiving a pound per gallon of blackcurrants and aged another three. That was then blended with a mature sour red to consummate a delicate balance that is fruity, sour, dry, and deeply complex.
- Dark Monk : Strong dark Belgian brewed with candied sugar and summer hops.
- Timber Beast : Timber Beast is a spicy, full-bodied, imperial India pale ale balanced with a generous dose of Galaxy, Simcoe, Centennial, and Ahtanum. It’s a recipe inspired by the complex and beautiful flavors of Mississippi and a reflection of the strength and spirit of our very own Timber Beast. Rye is a natural fit for the Imperial style. The nutty sweetness of this hearty grain perfectly balances the generous hop bite and brings you back for another sip.
- The Grid 01000111 01110010 01101001 01100100 : The hop aromatics from this juice will hit you square in the face. Soft bright tropical notes intersect with a small amount of dankness rounding it out. Notes of passionfruit, guava, mango and peaches. We doubled down on two of our favorite hop varietals Mosaic and Falconers flight for this new offering.
- Amber Ale : Our flagship Amber Ale is deep amber in color, entering with an aroma of fresh hops, coupled with a smooth flavorful body, balancing a complex hop finish.
- Black Bear Stout : A rich, dark full bodied ale. Made with 4 different barleys and finished with 2 kinds of hops.
- Holy Mountain / Other Half - A Dangerous Meeting : A DANGEROUS MEETING is a barrel aged Belgian-Style dark ale brewed in collaboration with our good friends from Other Half Brewing.
- The Obsidian Dagger IPA Noire : Sparks fly when bold & beautiful tropical hops meet a brazen & daring roasted malt base. Their chemistry is undeniable and perfectly balances the hop flavours and aromas of a powerhouse IPA with the depth and intricacy of a complex dark ale. 
- Portsmouth Flanders Red - Maude : This Flemish style soured mash, medium-bodied red ale is lactic, tart and delicious. It is traditionally blended with at least year old gueuze and fruits.
- Joop IPA : This IPA is bursting with American hops. JOOP is loaded with notes of grapefruit, mango, and citrus. Clocking in at 6.5% alcohol, it is refreshing and crazy quaffable. Created with massive kettle additions of American hops, this beer opens up with huge notes of ripe pineapple, pithy citrus, and dank permeated hops. As it warms it shows its depth and complexity with notes of sweet malt and tropical fruit.
- Long Trail Ale : Long Trail Ale is a full-bodied amber ale modeled after the “Alt-biers” of Düsseldorf, Germany. Our top fermenting yeast and cold finishing temperature result in a complex, yet clean, full flavor. Originally introduced in November of 1989, Long Trail Ale beer quickly became, and remains, the largest selling craft-brew in Vermont. It is a multiple medal winner at the Great American Beer Festival.
- XPerimental Series #10 : Double IPA which is the 10th style in our XPerimental Series. This beer has flavors of tropical fruits like citrus, especially grapefruit.
- Native Seven : Crafted with raw grain, Native Seven - our Bière de Mars - was ripened in wine puncheons with our distinctive Native yeast. After a long slumber it emerged as a complex beer with notes of sweet caramel, tart berry, dry bready malt, and brettanomyces funk.
- Willimantic Broater’s Oatmeal Porter : An unfiltered Brown Oatmeal Porter gently hopped with Liberty and a boost of brown sugar makes this strong and malty dark ale smooth.
- Brunch Stout : We're too lazy to wake up in time for breakfast stout, so we moved on to a brunch stout. Overflowing with coffee, chocolate, and fruit notes, this brew is a side of bacon away from starting your day off right...at the crack of noon.
- Dunning-Kruger : When we decided to do a big lact-oat IPA, over-hopped with Lemondrop hops, were we greatly underestimating or overestimating our ability to fruit a pale without fruit? Can we know? Carton has long lived on the conceit that the art is in making things that evoke flavors without those ingredients, so here is the test to our metacognition. With just water, barley, oats, hops, yeast, lactose, and a little vanilla, have we made a distinctly lemony thing without lemons? Drink DUNNING-KRUGER and know nothing.
- Zingerbier : Zingerbier is our take on a German-style Berliner Weisse. Traditionally brewed for the warmer months, Berliner Weisses are naturally soured to create a highly drinkable, refreshing beer. The quenching tartness of this beer is not dissimilar to that of a lemon, so we thought "what could we add to make this beer even more refreshing?" Ginger! Lemon/lime and ginger are a classic pairing in the culinary and beverage world for their ability to add subtle flavors that are as complex as they are refreshing.
- Extra Special Red : Extra Special Red is our Imperial Red Ale, a crimson-hued brew full of juicy hop flavors and aromas of pine and stone fruit. After 6 months of aging in rye whiskey casks, it was roused from its oak cradle to the bottle in your hands. The barrels impart notes of sweet vanilla and soft tannins, while the hops settle into the background in favor of the strong malt foundation. Slainte!
- Stanley Park 1897 Amber : 1897 Amber is a naturally crafted, unpasteurized, Belgian style amber. Our hand selected Belgian Amber, French and Canadian malts are brewed with the finest English and European characteristic hops to produce a beer of nuance. The mellow toasted malt and even body is perfectly balanced with a soft bitterness and mild hop aroma.The resulting light bodied beer has a subtle flavour complexity and an exceptionally clean finish.
- Toonilla : Cream stout brewed with coffee from Dark Street Roasting Company and vanilla beans.
- Snowbound English Old Ale : Super malty, dark and slick. Undertones of raisins and some even say it has notes of red wine. Just because you’re stuck inside during the dead of Winter doesn’t mean you can’t enjoy a nice beer. So go throw another log on the fire and put your feet up on the couch. You don’t find too many Old Ales these days. And you certainly don’t find many this good.
- Brain Spear : Big malt flavors of caramel sweetness with a tropical, fruity hop presence and a bold but balanced bitterness.
- Rocket Bike American Lager : Our steamer beer is a unique 100% style lager. Brewed with a special strain of lager yeast that works better at warmer temperatures. This method dates back to the late 1800s, when refrigeration was a greater luxury. Amber in color, medium bodied with a malty character. Mildly fruity with an assertive hop bitterness and a crisp clean finish.
- Amsterdam / Great Lakes Life Sentence : That’s right, you read it correctly… a triple IPA! With this collaboration brew between Iain McOustra and Mike Lackey, the pair tried to make an extremely hoppy beer that was also clean and focused. To make this Triple IPA, we used several different hop varieties like Nelson, Simcoe, Citra, and Amarillo to build a rich hop profile, before double-dry hopping the beer during its fermentation. An extremely limited beer, this was McOustra and Lackey’s first attempt at doing a Triple IPA together, and it’s something they hope to continue brewing and fine-tuning over the years. The first batch of Life Sentence IIIPA has a concentrated citrus and resiny hop aroma, with flavours of resiny orange and peach, concentrated citrus, essence of grapefruit and a huge pine background that plays off the more aggressive Nelson Hops, with a note of Amarillo that quenches the bitterness of all the other rich and almost overloaded citrus flavours. Get your taste of this high ABV brew early, it won’t last long!
- IPA - Beer Camp #93 : This IPA sacrifices nothing for its drinkability, flexing big time flavor and complexity. The light color disguises the depth of the malt backbone, a pillar that balances the potent whole-cones of the piney-citrus Cascade and tropical fruit-like Citra hops.
- The Search ESB : A classic English style beer that embraces balance. Mild fruitiness and floral hops blend seamlessly with biscuit and toffee malt characteristics. Approachability is key, enjoy this with a variety of cuisines.
- Get Down Wit It : That’s right folks, get down with some good old fashioned white ale this summer! It’s hot, and you deserve a crisp, fruity, spicy, herby, fluffy, tasty but not too overwhelming refreshment. Herbs from our farm, wheat from Camas Country Mill across the river, classic wit yeast from Belgium. Need we say more?
- Smuttynose Stone Cluster's Last Stand : Old, new? It’s all the same, really. Cluster’s Last Stand defies the commonly  accepted notion that strong, hoppy beers are recent arrivals on the US beer landscape. Smuttynose has teamed up with Stone Brewing Company to recreate the original, post-Prohibition Ballantine IPA recipe. That’s right; strong, 60 IBU beer was brewed in the 30’s. How do we know? We read it in Stone Brewmaster Mitch Steele’s excellent and well-researched book, “IPA, Brewing Techniques, Recipes and the Evolution of India Pale Ale.” The only difference  between this beer and more contemporary IPAs are the hop varieties: Cluster, Brewers Gold, Bullion and East Kent Goldings. None of these are trendy and we were a little surprised to find out that all four were readily available. The result is a rich, copper-colored ale with a strong, refined hop profile of spiciness with a hint of grapefruit.
- Tall Poppy : This is an ale that is not afraid of standing tall among other great beers. The intense, sharp and fruity hoppiness is backed by its complex, caramel-like malty structure. Big, yet refreshing. Bold but balanced. This beer has been designed to have it all, to be the greatest common denominator.
- No ReBretts : Dark Belgian Ale fermented with Brettanomyces Lambicus aged in bourbon barrels.
- Wel Scotch : Bière dense et moelleuse aux arômes de fruits mûrs et de caramel, pour toute dégustation authentique. 
- Lost Town Stout Aged on Chipotle Peppers : Our Lost Town Stout (5.5% ABV) is our dessert in a glass! For this very special occasion we aged this sought-after chocolate milk stout on chipotle peppers which has created a whole new level of complexity across the palate. Beyond the massive chocolate and vanilla notes we pick up mild spiciness and smoked flavors which enhance the overall experience and soft mouthfeel of our beloved Lost Town! 
- IPA : Juicy with notes of Melon, and Grapefruit. Hops: Mosaic, Simcoe, and Cascade.
- Horse Dance : Over Ale with Cocoa Nibs and Chocolate City (from Dark Matter Coffee).
- Saranac Strawberry Tart : Strawberry Tart is a wheat ale perfectly balanced between sweet and sour. A hazy-gold glow with a slightly pink color comes from the use of REAL strawberries. Kettle sourced for a soft, subtle sour flavor that is balanced by a fresh, crisp, fruity & inviting strawberry aroma.
- Oak Creek Nut Brown Ale : Winner of both the Gold and Bronze Medal in the North American Brewers' Association competition. This northern Arizona favorite has a consistent nutty flavor with just a hint of spice in its depths. A slowly emerging bitterness crops up along the way and is unobtrusively incorporated into the smooth flow. It finishes with a gentle nuttiness and spiciness.
- Time Capsule July 2014 : Time Capsule July 2014 is a summer farmhouse ale brewed with 100% Brettanomyces; a great introduction into the world of wild ales, light and refreshing but complex enough to satisfy the most seasoned beer consumers.
- Ape Snake : Ape Snake is a dark, dry hopped farmhouse ale. We’ve taken our dark farmhouse base and dry hopped it with Falconer’s Flight and Centennial hops. The combination of yeast and hops create an explosion of flavors, and this beer will continue to develop as it ages.
- Pail Ale : An aromatic bouquet of hops and citrus fruits in our take on a pale ale, the light - medium bodied maltiness leading to the smooth, lingering finish screams at you to have another sip!
- Bourbon County Brand Barleywine Ale : Aged in the third-use barrels that were once home to Kentucky bourbon and then our renowned Bourbon County Stout, this traditional English-style barleywine possesses the subtlety of flavor that only comes from a barrel that’s gone through many seasons of ritual care. The intricacies of the previous barrel denizens – oak, charcoal, hints of tobacco and vanilla, and that signature bourbon heat – are all present in this beer. Hearty and complex, Bourbon County Brand Barleywine is a titan and a timeline; a bold, flavorful journey through the craft of barrel aging.
- Yonkers Belgian Pale Ale : This Belgian style pale ale beer is a marriage of old world brewing with the new. A hoppy pale ale fermented with yeast from a venerable Belgian brewery. The result is a brew with some bite on your palate and a rich a complex aroma with hop characteristics and fruitiness that only comes from Belgian yeast. 
- Window Of Opportunity : Window of Opportunity is our 2012 Great American Beer Festival PRO-AM entry. Homebrewer Mike Mraz took Best of Show at this year’s AHA-Sanctioned Mayfaire Competition and one of his prizes was to brew his recipe at Ladyface. The result is a Belgian Golden Strong ale with honey and untoasted almond flavors, and light fruit and banana Belgian yeast character.
- Experimentalis With Buddha’s Hand & Rhubarb : EXPERIMENTALIS is our barrel aging project using fruits that are grown in our Horticultural Area. Each release is unique and no two releases will taste the same.
- Elements Of Funk: Brettanomyces Bruxellensis : Elements of Funk: Brettanomyces Bruxellensis exhibits floral characteristics and nectary tropical fruit notes when compared to its brethren. As the bruxellensis continues to develop in the bottle, so will the beer's character and the elements of funk. That's the brux of it.
- Mestreechs Aajt (US - Non-Saccharin Version) : Blend of "Hollandish" Oud Brouin {around 3.5% alc/vol} , "Dortmunder" lager bockbier {around 6.5% alc/vol} and the "primeval" beer. The "primal" beer has been aged in traditional wooden barrels. It introduces lactobacilli, Brettanomyces and other microflora into the very complex blend.
- Wheat Nipper : This bright hop forward wheat ale is light and refreshing. Wheat Nipper displays more hop character and much less yeast character than our weissbier, “White Pine Wheat”. It is brewed with 100% Falconers Flight hops, which are described to have tropical fruit, lemon, and grapefruit type flavors! Fermented with an American yeast allows for a clean, dry finish.
- Hold On To Sunshine - Tiramisu : For this rendition of Hold On To Sunshine, the aromas of cream and brandy caramelized sugar followed by flavors of amplified chocolate that is balanced by rich intense dark espresso. This beer has layers of flavor that reveal as the beer warms. A perfectly balanced and complex beer for this early fall night.
- Holy Hand Grenade : Fermented with traditional Trappist yeast and in-house made Belgian-style candi syrup make this beer as authentic as possible on this side of the pond. Aroma is complex with fruity esters and touch of spice. Flavour is full of dark fruit, primarily fig, and subtle clove spice. Bottle-conditioned and ready for a prime spot in your beer/wine cellar for aging.
- Stormy Port : This rich and complex beer boasts its roasted coffee notes and hides certain sweetness and chocolate flavours in the background.
- Wine Wit It : A blush colored Belgian wheat ale blended with Pinot Noir must. Fruity, tart, and spicy with delicate hints of cocoa and pepper.
- Tripel Nova : Golden in color with a bouquet of fruit and spice, this Belgian style Tripel has a touch of sweetness and a crisp, euphoric finish.
- Jack Leg Stout : Cream Stout evolved from Irish Porters. Jackleg is smooth and as dark as the underground. The roasted coffee flavor and aroma come from chocolate and debittered black malts.
- Coherence : Coherence is a double dry hopped Session IPA. The huge amount of dry hopping creates a unique aroma that jumps out of the glass. Citrus, berries, tropical fruit, and floral notes take over the senses while a clean crisp malt profile takes a back seat. A light snappy bitterness complements the beer's dry finish. An extremely drinkable and refreshing beer for any hop head.
- Newport Storm '05 : With the release of ’05, for the first time our brewery was able to boast that it created a fruit beer! But this fruit beer would be different than all the rest with a sexy mix of chocolate and raspberry. The flavor of the brew is very sweet from loads of malt, but faint hops are distinguishable on the tongue as well. The backbone screams “dessert” though, with almost 40 pounds of East African Cocoa added to compliment natural raspberry flavors!
- Blackthorn 2nd Anniversary Ale : Blackthorn 2nd Anniversary Ale is a tribute to Drogheda Ale, a once-popular Irish beer that dates back to the early 1800’s, brewed only with Irish Ale malt & East Kent Golding hops. For just two simple ingredients, this medium-heavy bodied ale is incredibly complex with a striking copper hue, fruity aroma, and lingering warm finish.
- Hop Prism - Turquoise With Grapefruit : Infused with grapefruit, and with citra hops, this IPA has subtle notes of citrus, lime and lychee; finishing with an assertive classic bitterness.
- Thunder Canyon Tumbling Plumbleweed : Our plum ale, brewed with 630 lbs of fruit, is light and refreshing with a pink color and fruity aroma.
- The Kimmie, The Yink & The Holy Gose : With a bright, golden color and tight creamy head, the earthy wood undertones in our Gose develop into a light mineral aroma with a hint of lemon zest and tropical fruit. Before boiling, the wort is kettle soured with lactobacillus, imparting an initial refreshing tartness that gives way to a subtle fullness. Flavors of guava and peach are followed by a slight sea salt dryness and lemon sourness that is enhanced by coriander and post-fermentation additions of salt. The finish is dry, effervescent, and lemon tangy, reminiscent of a fresh sea breeze.
- Citrus King : Bursting with grape fruit flavors along w/ dry hop Citra and Mosaic hops.
- Odd Duck Ale : Malty. Highly Drinkable. Slightly Bitter. Delicious tasting beer for the dark ale lovers. Goes great with fish and chips or bangers and mash!
- Single Batch Series - Fool's Gold Ale : A California Common beer (also known as a “steam” beer) dates back to the late 1800's in California when refrigeration was a great luxury. The brewers back then had to improvise to cool the beer down, so shallow open fermenters were used to cool the beer creating an abundance of steam as the wort cooled. California common beers are fermented with a lager yeast at ale temperatures, which results in a very distinctive flavor profile that includes both ale and lager characteristics. It is a medium bodied, lightly fruity and effervescent beer made with Northern Brewer and Cascade hops. It is deep gold in color with a nice malty backbone which gives way to a clean hop finish. It pairs well with grilled fish or chicken, light seafood fare, salads and pizza.
- Duvel Belgian Golden Ale : A Duvel is still seen as the reference among strong golden ales. Its bouquet is lively and tickles the nose with an element of citrus which even tends towards grapefruit thanks to the use of only the highest-quality hop varieties. This is also reflected in the flavour, which is beautifully balanced with a hint of spiciness. Thanks to its high CO2 content, this beer has a wonderful roundness in the mouth. A Duvel is both the perfect thirst quencher and the ideal aperitif.
- Gritty McDuff's Christmas Ale : If it looks like Ed just got merrier, you're right. Every November heralds the return of our holiday seasonal, Christmas Ale – available on draft and in six-packs. Our Christmas Ale is a robust E.S.B. (Extra Special Bitter) full of holiday cheer. Christmas Ale has a lovely, dark red/amber color and a rich, full-bodied, malty taste with a slightly roasted undertone. We brew our Christmas Ale to an original gravity of 1064 (about 6.2% alcohol by volume) using only the finest English Pale and Crystal Malts, with a touch of Roasted Barley as well. A blend of Clusters, Styrian Goldings, Saaz and Yakima Goldings leaf hops round out this hearty brew. Gritty's Christmas Ale has no additives, fruits or spices. It's just a good honest ale, perfect for the season. And to top it all off, it's already gift-wrapped! Happy Holidays!
- Casco Bay Riptide Red Ale : Our flagship, this Irish-Style Red Ale proudly won a gold medal at the 2000 World Beer Cup. A combination of 5 different malts and 3 hop varietals, carefully blended, results in a perfect balance. Full-flavored and medium-bodied, the Riptide Red provides surprising complexity for such an easy-drinking brew.
- Nut Brown Ale : Nut Brown Ale uses eight different malts to give it complexity with a slightly toasted flavor and coffee-like tones. Imported English hops provide a full and pleasant hop profile. It is a smooth and creamy ale with a clean and comfortable flavor. Brewed in the tradition of a true English “session” , this is an ale for the times when you want more than one.
- Citra Charged Dump Truck : The story of how this beer came about goes like this: During American Craft Beer Week (2nd week in May), Bayern has been offering a different cask-conditioned version of one of their usual offerings each day of the week. It has been a fun opportunity to experiment with some of things you can do with beer that we don't normally do such as dry-hopping and infusing with fruit. The cask (called a firkin) in which we dry-hopped Dump Truck with Citra hops turned out to be one of the best. Summer 2015, Bayern had the opportunity to test drive a centrifuge (a.k.a. separator) allowing us to dry-hop a whole tank of Dump Truck and remove the hops. 
- The Dancing Chickens : One of the most famous promotions at Webb's City were the Dancing Chickens. Booths were set up with chickens beneath signs that read, "drop a dime in the slot and watch me dance a jig!" Just as the disclaimer read, no chickens were harmed in the production of this Belgian Dark Strong Ale that was aged for eleven months in Cabernet Sauvignon barrels on two strains of Brettanomyces.
- Tripe à 3 Chêne : La Tripe à Trois est un clin d'oeil au style belge triple. Normalement de couleur blonde et tirant près de 9% d'alcool, la Tripe à Trois n'en fait pass exception. Cette grande bière à déguster à l'apéro est composée de malts québécois biologiques et de houblons européens. Bien que l'alcool colle aux parois buccales, les saveurs des levures enrobent le palais pour offrir une expérience gustative typiquement belge. Accompagnée d'un cheddar fort, cette triple saura plaire aux amateurs de blondes qui, sans équivoque, sortent de l'ordinaire. Les amateurs de bières complexes seront heureux d'apprendre qu'une partie du brassin repose en fût de chêne. De plus, une seconde partie du brassin fermente dans un deuxième fût de chêne avec des levures de type Brett-anomyces. Méconnues au Québec, ces levures sauront surprendre l'amateur de bière de tout acabit.
- Oude Desay : A wild farmhouse blend, composed of three different years of oak barrel and oak tank matured Petit Desay batches. This presents expressive fruit character from the fermentation, a restrained acidity, and balancing oak and funk character.
- Cup O Kyndnes : The Belgian-Scotch brewing connection dates to WWI, when thousands of Scotsmen spent years in Belgium. To satisfy the new customers, Belgian brewers learned to brew lighter "Scotch" style ales. This fine Ommegang ale uses heather tips and a wee bit of smoked malt to bring the taste and aroma of Scotland to the forefront. "Malty, full body, dark, slightly smoky, with heather notes. Flavorful and aromatic, with a gentle complexity and easy-going finish."
- Trillium : The simplicity of Trillium’s grist of barley and wheat delivers a wonderfully complex, yet approachable, American farmhouse ale. Our house farmhouse yeast blend, along with American hops, drive a distinctive character in this rustic, unfiltered ale. Trillium expresses a beautiful nose of peppery spice, coupled with flavors of fermentation-derived fruit and more pepper. Firm bitterness and effervescent carbonation combine with a satisfyingly smooth mouthfeel from the wheat.
- Saxonator Dunkles Doppelbock : A dark strong interpretation of a double bock. Full bodied with a raisiny, dark fruit, slightly roasted and chewy malt character. Lagered for two months, a smooth malt character balances the high ABV of this strong beer.
- Deeds & Exploits : This blend of bourbon barrel-aged strong ales was lavished w/Ghanian vanilla beans as well as bourbon-and-vanilla infused Ethiopia Hambela coffe. The result is a mind-blowingly decadent flavor fiesta w/notes of coffee cake, bourbon, oak, & a subtle fruit character that brings the whole thing home in an incredibly satisfying fashion.
- Amber Waves : Inspired by the Belgian ales of Ardennes, this Belgian dark strong ale features golden raisins, hibiscus and sugar.
- Golden Manatee Belipago : A delicious Belgian-style IPA, brewed with chestnuts, tapioca, sorghum, agave nectar and loads of the freshest hops money can buy. Fermented with two yeasts for a layered complexity, and dry hopped for a spicy mouthful of fun. Gluten free!
- Nimble Giant : “Without sway, there can be no balance.” Our Double IPA gracefully boasts grapefruit rind, pineapple and honeysuckle notes with a hint of earthy forest floor. Behold the wonder!
- Sun Circles (Sole Composition Series) : Sun Circles is a collaborative blend with Shawn Kalis of Ruse Brewing. The beer is a 50/50 split of light saisons, each aged in a single wine cask with fresh nectarines and his house Brettanomyces yeast at our respective breweries. The idea was born from a mutual admiration of each other's work and a love of fruit beers and saisons with balanced flavors. The Sun Circles opens with a deep aroma of ripe nectarines followed by light yet distinct malt flavors and an attractive and appetizing blend of esters and phenolics. The beer is drinking great now and we encourage folks to enjoy it within the year, while the fruit shows brightly.
- Janna Montana Bourbon Barrel Aged Imperial Belgian Black IPA : Aged for 3 months in 8 year Woodford Reserve Barrels, this Belgian Black IPA, or "Midwestian Dark" as we’ve nicknamed the style, is hopped primarily with Warrior and Cascades. Dark Belgian Candi Syrup brings everything together for a beer that is deceptively dangerous.
- S'more Stout : The S'more Stout is an absolute all-star: Aromas of chocolate, coffee, fig, and smoke invite you in to a gigantic maltiness that is distinct in its smooth and refined character, with flavors of chocolate and hints of smoke mingled with rich caramel, fruit, and warming alcohol. Top it with a roasted marshmallow and you have the ultimate S'more experience!
- Apricot Wheat : Hellbent’s Apricot Wheat is a refreshingly crisp American-style wheat beer that’s infused with apricot purée throughout the fermentation process to create a pleasant fruit flavor. It is unfiltered and intriguingly cloudy.
- Mixtape Saison : We took a Saison base and then added a Sauvignon Blanc grape concentrate and Nelson Sauvin, Mandarina Bavaria and Hallertau Blanc hops. We fermented it with a farmhouse ale yeast at a high temperature. What we got was a complex beer with spicy and fruity notes from the yeast, floral and earthy tones from the hops and a vinous chracter from the Sauvignon blanc. It’s a lighter bodied beer that finishes a bit dry. A unique beer unlike anything Bosque has made before.
- Hopped & Confused Session Ale : Tasting Notes: A burst of floral, tropical fruit, and citrus hop aromas leads into a smooth palate, with paradoxically low bitterness and dry finish.
- Three Kings & A Wench : The first beer brewed on the Yergey system, this Imperial Stout starts with the aroma of dark chocolate and malt and finishes with a roasty bitterness that lingers on the tongue.
- Single Batch Series - Barleywine (2010) : Our Boldest beer ever at 60 IBUs, and by far our longest barrel-aging time. A blend of Old World Influence and modern day ingredients and technique. Domestic malt and wheat and distinctly American hops are used to produce this rich, full bodied ale, fermented with two different yeast strains. We barrel-aged this beer in charred oak bourbon barrels for over three months. The end result is this dark ruby colored ale with very intense aromatics.
- Fruity Pebbles : Citra Mantra laced with fruity green tea
- O'Hara's Barrel Aged Leann Folláin : Following the success of our first edition where we aged in American bourbon barrels, we decided to age our Leann Folláin in this second Edition for at least 90 days in Irish Whiskey barrels and conditioned in bottle to provide a gentle carbonation. During that time the dark chocolate flavours and well balanced bitterness of the stout combined with the essence of whiskey residing in the oak barrels. The finish is a sophisticated stout, rich and dark with the mild warmth of a smooth Irish whiskey.
- Midnight Rush - Imperial Breakfast Stout (Barrel Aged) : Midnight Rush is the first release of our barrel aged project series. This Imperial Breakfast Stout features a blend of stouts aged for different amounts of time in different types of bourbon barrels. Look for heavy notes of roasted coffee, dark chocolate, and mellow notes of vanilla, oak, and bourbon whiskey. Enjoy now or cellar for later.
- Mother Barrel Select : This is the last beer to be aged in Scott’s 800 gallon oak barrel before emptying it so he could get it out of the old brewery in Pleasantville. The beer is a black ale, aged in the wood for over a year. It has some bright sour notes, a touch of musty wood, and fruity undertones.
- Blah Blah Blah IPA : Blah Blah Blah IPA is a maltier, amber-colored take on a traditional IPA. We incorporate some interesting malts including Baird Caramel 80, a darker, sweet crystal malt. Belgian biscuit malt give it a toasty flavor; and German dark Munich malt for body and color. We also hopped this ale a bit differently than we normally do with most of the hops being added at different times very late in the boil for a full hop "jammy" flavor and brighter aroma. We then dry-hopped it very aggressively using five different hops including a new experimental varietal to pack the flavors and aromas of pine, citrus, grapefruit and jam. Blah Blah Blah, just try it!
- Indi's Gold : Indi’s Gold is a Belgian-Style Petite Saison finished with Indi’s Gold Black Tea from Young Mountain Tea Company. Young Mountain, of Eugene Oregon, works directly with the best tea growers in India to import some of the finest teas grown in Asia. Indi’s Gold is named for the grower, Indi Khanna. The tea is spicy, bright and fruity. This hazy beer is mildly fruity with a clove note. Indi’s gold is dry and crisp with a hint of earthiness and a touch of citrus on the finish.
- Double Shot - Burundi Mpanga Kirema : This batch of Double Shot was crafted to be a rich, decadent base for an intriguing and robust coffee from Burundi - Mpanga Kirema! We experience flavors and aromas of dark chocolate, blackstrap molasses, frothy espresso, and a hint of clove. The body is full and creamy with a tight, pleasant, and mouth-filling effervescence. A true companion for those waning winter days, we sincerely aspire to have this bottle enhance and enrich your cherished moments with friends, family, and lived ones. It is, in our opinion, an example of what is possible with careful selection of ingredients paired with focused brewing execution. PLEASE ENJOY THIS BOTTLE FRESH!
- Time & Inclination : A golden West Coast-style pale ale exploding with American hop character, made from the same mash as our dark, rich, and malty 4th Year Beer Belgian-style quad.
- Belgian Dark Strong : An American take on strong Belgian ales. Brewed with traditional Pilsner malt, Dark Belgian candi sugar and Abbey yeast. This is a big beer with an easy drinking, carmelized sugar and stone fruit character.
- One Girl, Two Hops : An intensely hopped, yet still balanced and drinkable Double IPA. Equal amounts of Citra and Azacca showcase an intriguing, dank aroma, followed by bold grapefruit and tangerine notes.
- Wooly Mammoth Porter : Dark and full-bodied, this is our interpretation of the classic English Porter style. Made with nine varieties of malt and assertively hopped, our porter is packed with flavor. Strong coffee and chocolate tones create a special brew for those advancing on the path of fine beer appreciation.
- Bootleg Boulardii : Brewed as a part of our Incubation Series, Bootleg Boulardii has a light malt base with low bitterness. It was fermented with Bootleg Biology's Saccharomyces cerevisiae boulardii, an interesting yeast strain isolated from Chardonnay grapes in Pasco, WA. The beer was then dry-hopped with Mosaic and Sorachi Ace, creating an extremely drinkable beer with a complex aroma profile rich in lemon oils, ripe mango, and citrus blossoms.
- Victory At Sea - High West Barrel-Aged : We partnered with our friends at High West® Distillery to create a barrel-aged version of Ballast Point Victory at Sea, our award-winning Imperial Porter with cold-steeped coffee and vanilla. From a blend of Ballast Point Victory at Sea aged in High West’s own bourbon & rye whiskey oak casks, new layers of complexity emerge with notes of soft caramel and smoky oak over a dark chocolate and roasted almond body. High West crafts delicious and distinctive whiskeys to honor the American West, making it the perfect pairing with our signature San Diego-born porter.
- Irish Walker : A long slow fermentation and cold aging makes Irish Walker a well rounded, complex Barley Wine Ale. Released only once a year, it exhibits malty sweetness, fruity esters, and hoppy balance. This ale will age well for years to come.
- Embrace The Funk - Berliner Blood Orange : Our version of the classic Berliner Weisse style. A wheat ale brewed with blood-oranges and souring bacteria, for a funky bright fruity sourness and a tart finish.
- # 1000 : Brewed to celebrate the 1000th batch at Nøgne Ø, # 1000 and # 1001 were spiced with spices inspired by the book One Thousand and One Nights. # 1000 is paler and # 1001 is darker, they are sold together in a cardboard box.
- Parts Unknown : Smoked Shiitake Saison brewed with 100% Pilsner malt and healthy heaps of house apple wood smoked shiitake mushroom butts from our pals at Mycopolitan mushroom company out of Philadelphia. Fermented in our open top oak fermenters with our magikal saison culture. Dry, complex, and balanced. 
- Ruination Grapefruit Slam : Stone Ruination Grapefruit Slam is Stone Ruination IPA dry-hopped with grapefruit peel to enhance the citrus notes and over the top hop character this beer is known for.
- Chrstian Moerlein T-Bird : Long summer days spent laboring over the vines are but a fleeting memory in the minds of the hard working hop farmer. The harvest is now upon us and we have brewed a Pale Ale to commemorate this great season. T-Bird is a harmonious blend of proprietary and fresh Ohio-grown hops giving its medium malt body a splash of earthy, spicy notes with an essence of lime and pear. T-Bird Harvest Ale is the fruit of the summer's labor. crack open a can and enjoy the Harvest.
- Half Acre / Three Floyds Anicca : Anicca IPA is single hopped snake juice showcasing the Mosaic hop, a plant throwing off a cornucopia of fruit flavors. Bitter sweet and full of force, this IPA bends your brain into a tropical storm of writhing glory. As the philosophy explains, Anicca will come and go, so come sip this before all is gone.
- Moonless Night : Moonless Night, an intuitive Cascadian Dark Ale...Moonless Night was brewed with midnight wheat and rye, and cold steeped for several days on Ethiopian Wazzala coffee beans from Ceremony Coffee Roasters in Annapolis, MD. This imparted a tremendous character of earth, citrus, and soft acidity to the beer. It was then dry hopped at 150% usual rate with Ekuanot (formerly known as Equinox), and Amarillo hops. 
- Star Of The North: Berlin Style Wheat Beer : Extremely pale yellow in color with a slight haze and a large, creamy, snow-white foam head. This beer is rather light on the palate and very dry. A lively carbonation accentuates the refreshingly tart acidity. Expect an interesting mix of fruity flavors reminiscent of ripe lemons and apple juice with a touch of spice and a subtle brett character.
- Saranac Pacific Galaxy : Brewed with the tropical and fruity hops of Australia and New Zealand – Galaxy, Pacific Jade, and Vic Secret – this Imperial IPA showcases big passion fruit, lychee and mango hop character with subtle notes of black pepper, herb and spice.
- Otto From The Wood : Otto is soothing and deep, with flavors of red and black fruits, vanilla and oak. Otto blends peaches and cherries with our distinguished beer, Fred. It is then aged in oak barrels for at least 18 months. Brewed with love and respect for my brewery’s strongest influence, Fred Eckhardt, and bears his name at birth.
- St. SixSixSixer : St. SixSixSixer is our Mixed Fruit Anniversary IPA brewed with just enough fluffy malted oats. Conditioned on six pungent fruits (passionfruit, pineapple, lime, grapefruit, guava, and tangerine), and dry hopped with six of our favorite hop varietals (Galaxy, Mosaic, Citra, Idaho 7, Simcoe, and Chinook). Notes of rainbow sherbet, white gummi bears, lime zest, and tart champagne mango.
- SLO-MO : SLO-MO is our first blend of beers from our Solera, aged on cherry and blackberry purée. We selected four barrels of mild, young beer of 6-8 months old, hoping to derive most of the character from the fruit. After multiple fruit additions and maceration, we finally committed it to the bottle. This one tastes of bright, lush cherries, and raspberries, with just a touch of blackberry jam, finishing light and refreshing.
- Funky Brass Monkey (Apricot Wheat) : "Our funky dark apricot wheat is a fruity treat, not too sweet. A beer lovers treat."
- Brewer's Alley Nut Brown Ale : Another British style that has a roasted nut-like aroma. Brewed with a number of dark malts, which lend a complex malt character. This beer does not have a lot of hop bitterness, only enough for balance.
- Woolly Bugger Black IPA : Named after the most versatile fly in the fly box, the Woolly Bugger is a beer you can drink on a hot summer night or cold winter day. It has dark roasted malts, solid body and packs a good hop punch. 6% ABV, 60 IBUs.
- Sangria Sour : After many trials, we selected a very unique souring strain from our secret bodega located here at Edge. We then utilize an intense double fermentation process to sour then to ferment the beer with summer fruits to create this luscious and vibrant fruit ale.
- 20th Anniversary Encore Series: 6th Anniversary Porter : We celebrated our first five years in business by releasing anniversary India pale ales, with each subsequent IPA brewed to be hoppier and more intense than the previous. For our 6th anniversary in 2002, we extended this concept by making an intensified version of Stone Smoked Porter. We cranked up the malts and hops a notch or three and conditioned it on French and American oak, which accentuated our porter’s distinctive smokiness and amplified its chocolate and roast coffee flavors while also adding subtle notes of toffee, cherries, dried berries and vanilla. We’re proud to give those who missed out—as well as those who didn’t—a fresh shot at experiencing this smoky, dark-as-night wonder.
- Sole Composition: Oregon Native : The Sole Composition version of the Oregon Native was bottled from a single cask that we felt was a standout from the lot of eight that were originally filled. That cask had the same pinot noir grapes and indigenous yeasts as the others, but showed greater depth of fruit flavor with balanced oak expression. As we've done in the past with a single cask Fantasia release, this beer was bottled and corked still which not only differentiates it from the main batch, but creates a new way to experience the beer by cutting out the bottle conditioning process and its associated changes, allowing aromas and flavors to come through that are somewhat muted otherwise, particularly an earthy nose and an iron note on the palate that ties the Oregon Native to our love of historic beers that truly embody the farmhouse style
- Julius W/ Guava : Guava is emerging as the perfect fresh fruit accompaniment to our beer. With Julius, it reveals pineapple and papaya notes to layer the intense citrus characteristics of Julius. Julius w/Guava is immensely refreshing and pleasant to drink.
- Smoked Porter : A dark beer with a rich combination of malts. In the 18th century very popular with London’s working class, at the moment loved by brewers all over the world. Our perfectly smoked malts give this beer a hint of bacon while the roasted malts add a bit of sweetness.
- M Belgian-Style Barleywine : On this 10-year mark, Midnight Sun Brewing Company proudly releases its 1000th batch of beer - a larger-than-life Belgian-style Barley Wine (if such a style exists) simply called M - in commemoration of the enduring spirit that founded and sustains this little brewery in the extreme Northwest. Making M required a massive grain bill - seven seductive malts - boosted by strength-inducing Belgian candi sugar. Once original gravity hit 37 Plato, a frenzied fermentation ensued: four completely fabulous yeast strains, two of Belgian origin, transformed this sweet concoction into all that is beer. But not just any beer. A beer of madcap magnitude - 11.6% ABV. Character and complexity increased exponentialy while M meddled and mellowed for several months in all-American bourbon oak barrels. Blending the aged beer before bottling ascertained smoothness. M is mesmerizing, pouring dark and silky. Caramel and spice waft up from the glass; bourbon, molasses, leather and vanilla follow. The first taste proffers tobacco, burnt sugar and raisin with a sublime port-like finish, but bourbon - smooth, sensuous, brooding bourdon - is ever-present. The finish, a bit edgy like an American take on barley wine, provides the necessary leap toward overall balance. M is a precious gift to ourselves as well as you, seekers of beer-that-is-beyond-beer adventures... We are but mere mortals in the presence of M.
- The New Frontier Triple California Style India Pale Ale : Our Triple California style IPA is big, bold, but surprisingly smooth (for an 11%). The Centennial kettle additions and generous Mosaic dry-hopping combine to impart a bright citrus aroma with a resinous stone fruit undertone finishing with pleasant floral notes.
- Pretty Boy Floyd Peach Wheat : A light-bodied wheat beer made with real peach puree. It is lightly hopped to let the fruit flavor come through.
- Hurricane Malt Liquor : Hurricane Malt Liquor is full-bodied and robust and offers a smooth, slightly fruity and slightly sweet taste.
- The Hound Dog Scotch Ale : This tasty creation is a hybrid beer, mixing the best of both Belgian and English ingredients. Using 2-row with three Belgian specialty malts and Belgian Candi Syrup gives this beer its smooth malty flavor. We then use English hops to give this beer its great aroma, and finally we use a mildly malty and slightly fruity English style yeast strand to finish it off. Rogers The Hound Dog Scotch Ale clocks in at 6.6% ABV.
- Rogue's Roost IPA : Brewed with toasty English malts, herbal and spicy UK hops, and English ale yeast, this well-balanced traditional IPA delivers a complex flavour that stands out from the pack. Just like history's legendary rogues.
- Red Zone Lager : A slightly spicy aroma, from generous hop additions, is carried on a complex caramel malt flavor in our American Amber Lager.
- Desert Select Black Imperial IPA : Black Imperial India Pale Ale, spawned from west coast brewers who have no problem bending what we think about traditional ale styles, is dark, rich and extremely hoppy. Made from the finest Two Row barley, fresh Moab water, house yeast, lots of hops, it’s then fermented in American oak, dry hopped and bottle conditioned.
- Long Root Ale : Our new Long Root Ale is a great beer—with great purpose. Beyond the crafted Grapefruit hop flavor, beyond the balanced maltiness lies a story as refreshing as its dry, crisp finish.
- Permutation Series #22: Experimental Hop Pale Ale : Permutation is our experimental series of small batch offerings, showcasing the unique visions and innovative concepts developed by our production crew. Featuring a base grist similar to Fort Point, our newest pale ale highlights a pungent, new experimental hop variety. Hop-driven aromas of stone fruit and melon take the lead with similar flavors following through on the palate. Smooth mouthfeel, gentle bitterness, and a refreshingly dry finish. 
- Auko : Sour Dark Ale aged 1 year in Cab Franc barrels with Raspberries, Sour Cherries and Cab Franc skins.
- Las Frascas : A sour fruited with dragonfruit, mango, guava, lemon and lime.
- Thin Mint Stout : All of the characteristics of our traditional Sledgehammer Stout (robust and full bodied, heavy mouthfeel with dark roastiness) with stronger chocolate notes balanced with vanilla and natural mint flavor.
- Black Belle Imperial Stout : Black Belle™ is a limited special release Imperial Stout; it’s collaboration between Blackstone Brewing Company® and Nelson’s Green Brier™ Distillery, makers of Belle Meade Bourbon™. Infused with cacao nibs and aged for more than seven months in bourbon barrels, the beer is smooth and sweet, with definite notes of bourbon, oak, and dark chocolate.
- Cast Iron Oatmeal Brown : This is one monster of a Brown Ale! We use an obnoxious amount of chocolate malt and roasted barley to give this beer a cask iron backbone. Our oatmeal brown pours a dark mahogany with aromas of dark chocolate and coffee.
- Dark Synergy : An enjoyable blend of dark malts, a hint of coffee, with subtle cocoa and caramel notes. Each sip finishes with a harmonious balance of flavor. Beans provided by First Branch Coffee Co.
- Freedom From The Known : Saison brewed with red wheat and rye malt. Fermented in oak with our house microflora and then conditioned atop a blend of PA grown tart sweet cherries from @3springsfruit at a rate of 2 pounds per gallon of beer.
- Defenestrator Doppelbock : We threw the rules out the window with this American version of a classic German style. Brewed with Vienna and Munich malts and Crystal hops, this version is dry-hopped as well to give it a nice, fruity finish. If you like malt complexity and liquid bread - this is the beer for you.
- A Picture Of Nectar : After primary fermentation in stainless steel this light golden beer was sent into a quartet of wine barrels historically used for our fruited sour beers. Its base of wheat and Vienna malts provided ample fodder for our resident microflora while aged whole leaf hops offered preservative properties without adding bitterness or hop flavor.
- Really Pale Ale : A hazy blonde ale brewed with malted wheat. Its light body and bright, complex dry hop aromatics make it both highly refreshing and full of flavor. ABV: 5.5%, IBU: 35
- Cutthroat : Not quite a stout but definitely no lightweight, Cutthroat is smooth and robust. Inspired by the classic London porters, we use dark roasted malts to create a deep, rich color and flavor that hint at chocolate and coffee. We named it Cutthroat as our tribute to the Colorado state fish – with its own rich heritage and unmistakable dark coloring. And while we’re big fans of small batches, here’s to the currently threatened Cutthroat population reaching mass quantities.
- Samichlaus Classic Bier : The once strongest beer in the world is back! Brewed only once a year on December 6. Samichlaus is aged for 10 months before bottling. This beer is perhaps the rarest in the world. Samichlaus may be aged for many years to come. Older vintages become more complex with a creamy warming finish. Serve with hardy robust dishes and desserts, particulary with chocolates, or as an after dinner drink by itself. Brewed under the exclusive licence of Feldschlösschen-Hürlimann-Holding, Switzerland.
- Weihenstephaner Korbinian : Our Korbinian, the full-bodied, dark Doppelbock with light brown foam, wins beer-lovers over with a balance of fruity hints of plums and figs, a dark malt aroma - reminiscent of toffee, nuts and chocolate. Its roasted flavour goes well with smoked meat and fish as well as venison and poultry. Brewed according to our centuries-old brewing tradition on the Weihenstephan hill.
- Doppelshot Doublebock : Not your everyday Doppelbock! This unique Doppelbock was brewed to showcase the fresh roasted Yellow Caturra MauiGrown coffee from Ka’anapali, Maui. This beer is rich in pale malt character and brings slight sweetness to compliment the smooth character of the coffee. The darker color comes from the heavy coffee addition.
- Pacer : Using a bounty of classic American hops, Pacer is, in a way, a throwback American Pale Ale. Centennial, Chinook, Simcoe, Amarillo, and Columbus are copiously utilized to create a vibrant and complex flavor profile. We taste and smell red grapefruit, clementine, pine, and a hint of lemon with a delicate floral component rounding things off. The perfect beer to accompany ever shortening summer days!
- Rabbid Rabbit : 7.4% ABV, 25 IBUs - This Franco-Belgian style Farmhouse Ale has an effervescent body and a light straw color. Rabbid Rabbit, with it’s light malt body, augmented by spices, is a complex and frothy beverage with a deceptively high alcohol content. March release.
- Crank Shaft : A more approachable version of the typical American IPA, Crank Shaft has hop flavor and is aroma forward. Notes of citrus, mangoes, and tropical fruit dominate. The bitterness is more rounded than most, due to primarily late hop additions, as well as dry hopping. The use of three different types of malts give this brew a more balanced body and slight amber/light Caramel color.
- Alternate Universe : In the Alternate Universe, the malt planets and hops stars align with the yeast sun to create this otherworldly ale. Existing in a parallel dimension somewhere between an Amber ale and a Brown ale, this sublime brew has a malty backbone with a balanced hop bite. Extended conditioning produces a smooth and flavorful lib8ion. This superior ale is never too light, never too dark.
- Level : Sour IPA fruited with passion fruit and peaches and dry hopped w/ Vic Secret.
- Grainstorm Black Rye IPA : Just when you thought it was safe to come out of the root cellar, along comes Grainstorm, a big, wet wallop to the senses. In the glass, dark and turbulent clouds gather. A high-pressure system of pungent hops collides with a stationary front of barley, wheat, and rye. The forecast: a veritable monsoon of flavor, with surges of roasty malt, microbursts of hops, and a chance of golfball-sized hail. The extended outlook calls for unseasonably pleasant enjoyment.
- Bahia Mamba : Tropical IPA brewed with Pineapple & Mango. If you ever find yourself in the Florida Keys on the tiny uninhabited island of Bahia Honda, watch out for the most deadly snake in North America, the Bahia Mamba. Elusive and often skittish, they are no less terrifying and responsible for the untimely death of many a pirate and most notably, Ernest Hemingway.* Golden, hazy, dry and erupting with tropical fruit aromas, Bahia Mamba is the perfect hot weather quencher, packed with Falconer’s Flight, Ekuinot, Southern Cross and Mandarina hops. If you here the hiss…run! 
- Spontane Wilde : Spontaneous beer brewed in the traditional "Methode van Lembeek." Our spontaneous fermented beer is brewed with pilsner malt, raw wheat and aged hops in the traditional farmhouse method. wort set overnight in the koelschip loft, this beer embraces the raw natural flavors of the Hood River Valley flora, cave aged in oak for 1 - 2 years to develop rich complexity with balanced acidity.
- Juice Box : Bursting with pungent American hops, with aromas of peach, mango, and passion fruit. Juice Box is brewed with over 4 pounds of hops per barrel, but the mellow bitterness and soft mouth feel makes this DIPA dangerously drinkable!
- #21 American Brown Ale : Toffee, nutty, caramel.
- Waning Patience Experimental IPA : Dank. Crisp. Citrusy. Everything you'd want in a small batch Experimental India Pale Ale brewed with Mosaic Lupulin Powder, Amarillo, and Grapefruit Peels; then dry-hopped with EVEN MORE Mosaic Lupulin Powder. 
- Antiquity Rye Wine : A beer style perhaps lost in antiquity, our rye wine closely resembles an English-style barley wine but with a spicy/peppery note from rye, this beer is dark copper in color with a full body, high residual malty sweetness, high complexity of alcohols and fruity-ester characters balanced by low bitterness and extraordinary alcohol content, some English-variety hop aroma and flavor is present, and caramel, dark toffee and vinous/sherry-like aromas and flavors dominate. Drink it now or let it age.
- Samuel Adams Kellerbier : Kellerbiers originated in German cellars when brewers couldn’t wait to taste the fruits of their labors, so they tapped young beers straight from barrels. Our version ages on oak chips for a refreshing juxtaposition of light unfiltered malts with an intriguing woodsy note.
- Barley Berry Jam : Barley Berry Jam is a barley wine infused with blackberries and hopped with ADHA 527, an experimental dwarf hop varietal that provides a complex aroma that includes anise, stone fruit, and spice.
- Love Song : A Pale Ale intensely hopped with Mosaic & Citra for notes of dank white grape, honeydew, grapefruit and peach.
- Mikkeller / Upland - Snuggle Bus : Dark sour ale aged on Chambourcin grapes.
- Nitro Armchair : A craft spin on an Irish stout with a luscious, roasty character derived from 4 different dark malts. English and American hops are balanced out with nitrogenation, making for a creamy delight.
- Embrace The Funk - Maracuyá Y Tradicional : This collaboration with Jose Cuervo is a Brettanomyces Golden Strong Ale aged in 100% Blue Agave Tradicional Resposado Oak Casks. A secondary fermentation with Passion Fruit adds a bright tropical character to complement the smooth Tequila flavors from Jose Cuervo Tequila's Oak Casks. 
- Blind Sherpa Stout : Lost in a whiteout? Get the Blind Sherpa to navigate you to the brewery! Must be by sense of smell, or maybe just a sixth beer sense but this hearty stout will knock off any chill with its robust roasted character, and a little extra alcohol warmth. Coffee, chocolate, caramel, and fruit in aroma and flavor: complex, rich and silky smooth from the addition of oats.
- Encore : A genre-blending mix of an American wheat beer and a traditional India Pale Ale. Encore is hopped and dry-hopped with Simcoe and Amarillo hops, and has a pleasant grapefruit aroma that compliments its subtly sweet malty backbone. Grab a lighter and get up front!
- Malefactus : Malefactus is our Imperial Wheat Stout with brettanomyces. It is brewed to 11% ABV using abbey, debittered roasted & chocolate wheat malts. Stylistically it is a hybrid between a strong stout, Belgian’ quad & a dark wheat beer. The aroma is lightened by the use of coriander & black pepper. Primary fermentation takes 4 weeks & the it slowly matures in exhausted whiskey barrels for an additional 6 weeks.
- Main Squeeze : Our 2013 summer seasonal, Summer Squeeze Grapefruit Ale, was recieved by Alberta beer drinkers with open arms. You loved it so much we decided to make our Summer Squeeze our Main Squeeze.
- Supercruise (Cab Franc) : Supercruise starts with wine grapes from locally-sourced, family-owned vineyards in Palisade, CO. Once the grapes have been destemmed and crushed, we allow the juice to rest for a few days - developing rich color and depth of flavor - before finally transferring the juice to neutral oak barrels along with our base golden sour. The beer then goes through a secondary fermentation while resting on the grapes, and after a few weeks is ready to bottle. Fruited at about half of what we do for Mach-Limit, the stonefruit character from the base beer is backed by bright fruit and soft tannins, yet the beer still shines through. This beer should age well with proper cellaring, however the grape character may diminish over time.
- Time Traveler Shandy : A beer truly ahead of its time. A vibrant wheat beer brewed with real strawberry for a subtle yet complex flavor. Open one up for “A Taste of the Future!”
- Sacre Coeur : Belgian-Style Quadrupel brewed with Continental Pilsner, Dark Crystal Malts, Wheat and Rye and fermented with our house Belgian yeast. The result is a richly complex ale with notes of biscuit, caramel, plums and dried cherries.
- Black Box Stout : A dry stout with a smooth, smoky finish, this exquisite beer is reminiscent of more traditional Irish stouts. It pours a near-perfect shade of black with a thick, foamy head. The roasted malts are complimented by earthy UK Fuggles hop. The taste is rounded with some citrus from Chinook and the fruity nose of the Estery English yeast. Light notes of chocolate finish off the taste of this easy-drinking stout.
- Abita Bourbon Street Coffee Stout : This dark Coffee Stout is brewed with pale, caramel, chocolate and roasted malts and oats. Willamette hops balance the malt sweetness. After fermentation and first aging, the beer is aged again in oak bourbon barrels. Espresso Dolce beans from PJ’s Coffee® are added to the beer for a blend of flavors including coffee, malt, wood and hints of vanilla.
- Chinquapin Chestnut Porter : Rich and full bodied, our Chinquapin Chestnut Porter is sure to please fans of more robust beer styles. Not content with just paying homage to the American Chestnut, or Chinquapin, by name, every batch of Chinquapin Chestnut Porter is made with a heaping portion of real chestnuts. Brewed together with a blend of dark malts, our porter has hints of cocoa, roasted malts, coffee, and, of course, hearty and sweet chestnuts. As a thank you to the tree that makes the smooth, nutty taste of our porter possible, a portion of the proceeds from Chinquapin Chestnut Porter will be donated to The American Chestnut Foundation, where it will be used to help reintroduce American Chestnut trees to the forests of the Eastern United States.
- Spruce Desay : A sour and fruity farmhouse inspired beer fermented and aged in oak wine barrels blended with two year old earthy and rustic farmhouse beer barrels. After blending, this was conditioned on spruce tips, resulting in a fruity, spicy beer with pronounced spruce tip character and a balanced acidity. Lovely.
- Freefall : A Belgian-styled grisette with a lean body, peppery spice and pear-like fruitiness.
- Café Verdad : Mexican Coffee & Cinnamon Ale. Some of the best coffee beans in the world are grown in the shade of the Sierra Madre de Chiapas Mountain Range. To pay tribute to the vibrant complexity of the region we’ve combined their Arabica “Altura” coffee and Ceylon "True" cinnamon with our wine barrel- aged tart brown ale. The resulting brew is a smooth, slow sipper, reminiscent of the classic Mexican Cafe de Olla. Con Provecho!
- Ploughman's Porter : Clandestine's Ploughman's Porter is brewed in the style of the London classic. Popular for it's dark color and strong flavors and aromas of coffee, chocolate and roasted malt, Ploughman's tames the astringency of the original with British caramel malts. Just enough British hops are added to yield a subdued bitterness that balances the heavy malt body of this dark and characterful beer.
- Humulus Rueuze : Humulus Rueuze is a variation on our take on the traditional Belgian-style lambic gueuze with one major exception: massive amounts of dry hops. To begin, we carefully select a number of oak barrels that have been aging our sour blonde ale for anywhere from several months to several years, and then blend the beers together for the ideal flavor. Once that is achieved, we pile heaps of Hallertau Blanc hops on top to achieve an aromatic blend like no other, inundating the senses with citrusy, tropical, funky and grassy goodness. This is one complex beer, and it's best consumed fresh.
- Little Bit Of Trouble : The summer version of our Belgian Dark Strong "Whole Lotta Trouble," this Belgian Double has very pleasant caramel malt tones with a slight touch of spice imparted from our house Belgian yeast. Warning! This Belgian double ale tastes too good to be 7.5% abv. It may cause a little bit of trouble.
- Chardell Stout : This sessionable stout is blended with cold brew coffee from Caffè Umbria, and then cold conditioned on chocolate nibs from Theo Chocolate. The result is a full-bodied beer with a rich coffee aroma and a touch of chocolate, giving Chardell a rounded roasty and nutty finish.
- Muggleweisse : This is a something that was made from nothing. After brewing several batches of our regular line up beers, we were left with partial bags of grain that didn’t quite fit into other recipes. We decided to formulate the least Luke-like recipe (this guy hates partial bags) with what we had, and initiate the whole affair with a Berliner style sour yeast starter. I think part of us wanted the resulting beer to be bad, just so that we’d never have to brew such a complicated recipe again, but as is generally the case with these things, we totally loved the beer. Intended for those muggels milling about, this light refreshing beer is a bizarre but beautiful collection of sour, fruity, and malty flavours.
- Barrel Aged Barley Wine : Aromas of cherries , plums and molasses are complemented by notes of vanilla and oak in this complex , strong , dark ale. After aging in Woodford Reserve Bourbon and Rye whiskey barrels for 10 months , our 2016 Barlewine has mellowed and matured into the perfect wintertime , fireside sipper , Cheers!
- Quadrupel : A strong Belgian-style Abbey Ale 'quad' characterized by the immense presence of alcohol and balanced flavor, bitterness and aromas, with a color that is amber/rich chestnut/garnet brown, a complex fruity aroma & flavor reminiscent of raisins & dates.
- Augusta Ale : With an abundance of hops and a sweet caramel backbone, this is a true session beer. A grassy, nutty and flavourful malt body is balanced by delicate citrus hops and a touch of spice. Clocking in at 34 IBUs, this beer is just bitter enough to keep the hopheads coming back without being crushingly dry or astringent. Designed to be enjoyed often!
- 18 Mile Red Grand Cru : Sour Power! This modern take on a traditional Flanders red has notes of dark fruits like cherries and figs as well as a bright acidic note that will make your mouth water. The deep ruby red color of this beer is a joy to behold.
- Iron Works Alt : An assertively hoppy top-fermented beer, polished by the wisdom and patience of lagering. Think of it as an octogenarian with a punk rock attitude. Slightly dry, this beer pairs well with hearty cuisine. We also suggest sipping it on its own; the complexity will keep you entertained and happy.
- Stay Puft : An Imperial Stout made with roasted marshmallows and graham crackers. Chocolate, cotton candy, and vanilla aromatics with flavors of charred marshmallow and dark chocolate. A collaboration between Barreled Souls and Slab Sicilian Streetfood.
- Mercury Rising : Thrice greatest! Living intellect made quicksilver! We receive, express, and transmute in an instant, and our minds are left vibrating sacred energy. The air is our language, and we engage with clear, perfected abstraction. To communicate this crystalline abstract of perfection, we have chosen the aromatic communion of Citra and Motueka hops, creating rapid and intense expressions of sweet lime, earthy passion fruit, grapefruit pith, and resinous stone fruit characteristics. Rapid and expansive, Hermes is the air rising up your spine, and you will understand when the impossible perfection comes to you like the voiceless inspiration of the infinite abstract!
- Nightshade : This American Stout is made with 7 different malts including wheat malted in the Pioneer Valley by Valley Malt. The dark malts add hints of chocolate and roasted coffee that are well balanced.
- Dark Truth Imperial Stout : Throughout the ages, man has been fascinated by the quest for hidden knowledge, the search for the secret to transforming the elemental into the extraordinary, the simple into the sublime. Ladies and gentlemen, we present for your consideration this exotic, inky concoction, the almost magical creation of our modern day alchemists who have turned humble grains—barley, wheat, rye, and oats—into black, liquid gold. Layers of complex flavors slowly emerge from the glass: espresso, roasted fig, crème brulée. Belgian yeast provides a plum-like fruitiness, noble German hops reveal spicy, herbal notes, while the rich, velvety mouthfeel mellows to a dry, smoky finish.
- King Basil : King Basil is an American take on a classic Bière de Garde. Brewed with three varieties of basil (Genovese, Opal, and Lemon) and three types of North Carolina grain (Barley, Wheat, and Rye) this beer's complex aroma features fruity, floral, and spicy notes. On the palate the beer opens with rustic flavors of fresh basil, spicy rye, clove, and earthy yeast. Finally, a mild bready and toasty character develops as the beer finishes with a slight malt sweetness.
- Razorback : An English style barleywine, Razorback has a dense, fruity bouquet, an intense palate and a deep reddish-brown color. Its big maltiness is superbly balanced by a wonderfully bittersweet hoppiness
- Roisin Dubh : Dark Mixed Culture Ale Fermented in Whiskey Barrels with Texas Blueberries and Rose Hips - collab with Jester King 
- Burial / J. Wakefield - The Cosmic and Divine Imperial Stout : Brewed with our good friends from J. Wakefield Brewing, this 10% Imperial Stout was made with dark and caramel malts, lactose, and salted caramel from Asheville’s Postre Caramels. We then aged the beer on chocolate and toasted pecans. Upon the backs of behemoths, we hatch the most worthy of ideas.
- Peligrosos IPA : Last but by no means least, another brand new IPA. This recipe was originally devised as a one-off special, but we liked it so much we’ve decided to brew it again and give it a proper release in bottles and kegs. Peligrosos is a modern IPA hopped with Motueka, Magnum, Chinook, Centennial and Mosaic to create a juicy tropical fruit harmony with low bitterness and huge drinkability. Look out for it before the end of the month.
- CLT : Despite George Washington calling it a “trifling place”, Charlotte evolved from a simple dirt crossroads into a leader of the new South. True to that spirit, Catawba has been evolving Carolinas’ craft brewing since 1999. This new creation, CLT India Pale Ale, offers up a modern, double dry-hopped, in-your-face explosion of tropical fruit and pine. And at 7.2% ABV, like today’s Queen City, don’t trifle with it!
- Hasta Luego : Hasta Luego is a strong, golden-colored tripel; our nod to the Trappist breweries of Belgium. Keeping in line with the style, this beer is fermented with Belgian yeast for a fruity, slightly peppery taste and subtly sweet finish. The use of Belgian candy syrup lightens the body and adds an intriguing flavor and aroma.
- Wharf Series No. 3 : Dry-hopped grapefruit and mango sour aged in white wine barrels.
- Taylor's Harbor Pale Ale : Tropical fruit flavors dominate this session strength pale ale. Brewed with mangoes and a touch of orange zest. Keg hopped with cascade and chinook Hops. Great summer Pale Ale!
- Rich Man's : We love keeping a diverse lineup at Monkey Paw and Rich Mans proves this. Not your typical San Diego IIPA, this beer exhibits a more “classic” hop profile inspired by our industry’s forefathers. A bold copper-colored beer with beautiful gold edges, and crowned with a strong white head. The aroma is piney and dank. The mouthfeel is smooth and solid. The flavors of pine, grapefruit rind and dankness combine with a pleasant malt sweetness that interplays to mask the alcohol.
- 4x4 SMaSH : Vienna malt provides a crisp toasty base for fifty-five pounds of mosaic hops. A super saturated nose of fruity hops gives way to a very mellow bitterness.
- ? The Riddler ? : Ah yes, lay this one down in your cellars for years to come. Enjoy this one alone for it’s malt and hop complexity.
- Sunderland Mild : Our light dark beer. Think of a light beer but with color, body and flavor—brown ale’s little brother. This style was originally brewed to quench the thirst of coal miners and other laborers without the intoxicating effects of the stronger pale ales and stouts. Our was originally brewed to celebrate Sunderland (UK) Football Club's ascension to the Premier League in May 2007. It proved so popular we've kept it as a year-round ale. Floor malted barley and an English yeast strain impart an authentic English flavor. Lighter alcohol that Bud or Miller lights.
- Taco : Two Birds Taco is brewed using ale and wheat malts, with an addition of flaked corn. Citra and Amarillo hops contribute citrus and fruity characters, which complement the additions of coriander leaf and fresh lime peel. The beer pours a hazy shade of pale and we use a clean, ale yeast to allow the fresh flavours to shine.
- Red IPA : A deep red American IPA that has a resinous hop aroma followed by a bit of spicy malt body from the crystal rye and a big grapefruit finish.
- Belgian Wit : A classic style of beer, both refreshing and complex. Bitter orange peel and coriander are added near the end of the boil to give this ale a crisp, yet zesty citrus flavor. 50% Wheat and 50% Barley make up the rest of the recipe giving an overall impression of a refreshing wheat beer.
- Rocket Science Galactic Ale : This approachable 4.6% ABV craft beer is an interpretation of an American Pale Ale (APA) with its assertive hopping, but also delivering notes of a German Altbier with the copper colour, and distinctive caramelised maltiness. Elements of an English Bitter are also introduced largely from the use of darker specialty malts.
- Peak XV Imperial Porter : A smooth drinking, dark porter brewed with raw cacao nibs and hand-cut Madagascar vanilla beans. Balanced between a coffee-like bitterness and a rich malt character, this ale is deceptively drinkable for an Imperial.
- Cherry Sour Devil : Issue #3 from our sour program features a kettle-soured version of our Dark Hollow that has been aged for four months in barrels inoculated with lactobacillus and brettanomyces and the addition of sweet cherries. This method of double-souring layers the flavors and provides a half-controlled / half-wild experience. The sweet cherries have fermented out, leaving a delicate aroma and cherry flavor that meld with the deep malt and sour overtones.
- Brooklyn Pilsner : Brooklyn Pilsner is a refreshing golden lager beer, brewed in the style favored by New York’s pre-prohibition brewers. In the 1840’s, the pilsner style emerged from central Europe to become the world’s most popular style of beer. Like its ancestors, Brooklyn Pilsner is traditionally brewed from the finest German two-row barley malts. German-grown Perle and Hallertauer hops provide a crisp, snappy bitterness and fresh, floral aroma. The flavor of the malt comes through in the finish. We ferment Brooklyn Pilsner at cool temperatures, and then give it a long, gentle maturation (lagering), which results in a beer of superior complexity and smoothness. We believe that you will find there to be none finer. Unlike mass-marketed so-called pilsners, Brooklyn Pilsner does not contain cheap fillers such as corn or rice, nor does it contain any preservatives or stabilizers. Brooklyn Pilsner is the real thing.
- Weihenstephaner Hefeweissbier Dunkel : Our dark wheat beer is impressive with its creamy white foam. A fruity-fresh sweetness and hints of mature bananas harmonise with delicious flavours of roasted malt, sparkling and full-bodied with a light caramel taste on the first sip. An excellent accompaniment from hearty meals and game to chocolate and nut desserts. Brewed according to our centuries-old brewing tradition on the Weihenstephan hill.
- Bluebird Bitter : Bluebird is a fine session ale with a light golden colour. The intense resinous and spicy hop character which is the beer's hallmark is derived from the use of unusual quantities of English Challenger hops, each bale being individually and personally selected by the brewer. The malt is, of course, Maris Otter fermented slightly warm to give a soft fruitiness with a faint hint of scented geranium.
- Czernobog 2014 : Named after the ancient god of darkness, Czernobog was the last beer we made in our Leviathan Series – and one of our favorites. So we stashed a few bottles in the cellar. As winter approached we noticed that our supply had dwindled and we knew it was time to go back to the brewhouse to resurrect the darkness. With powerful notes of unsweetened chocolate, dark fruit, and molasses, it’s our pleasure to reintroduce this Russian Imperial Stout.
- Temstout : A classic black full bodied beer with a lovely creamy head, distinguished by its aromas of coffee, roasted malt and dark chocolate with a pleasing bitter note that lasts as long as it should. A fine fulsome stout with a taste that does not disappoint.
- Kilt Spinner : A malty beer aged on oak, this beer is complex and warm, like a hand made quilt. Two row base malt accentuated with Munich, Crystal 40, Carafa II a touch of Black Patent. Balanced with earthy Fuggle hops.
- Trouble's Braids : Our newest kettle soured beer was mashed with a mixture of German pilsner and wheat malts, inoculated with a Lactobacillus culture and allowed to develop acidity overnight in the kettle. Dry hopped liberally with New Zealand Rakau and US Apollo hops for fruity hops up front with a dry, tart finish.
- Torpedo Pilsner: Hoppy Pilsner (Beer Camp Across America) : Torpedo Pilsner is a hop-forward take on the crisp classic lager. We and the folks at Firestone Walker share a passion for New Zealand hop varietals, so we loaded our legendary Hop Torpedo with southern hemisphere hops for a fruity, floral twist on the pilsner style.
- Fjord! Norwengland IPA : We love excuses to try new yeasts and Fjord has become a vehicle for us to experiment with Norwegian yeasts. This edition was brewed with a new Kveik blend from our friends at Omega Yeast Labs. Brewed using a blend of extremely light German barley and oat malt, hopped with some of our favorite fruit forward hops (Mandarina, Azacca, Mosaic, Ekuanot & Simcoe) and fermented with this super unique yeast, we're calling the resulting a beer a Norwengland IPA. Hazy, with hints of fruit, but overflowing with a character we'd characterize as dank nugs growing high on a Norwegian cliff.
- Acme Boisener Weisse : Acme Boisener-weisse is a hyper-local beer made in collaboration with our good friends Michael and Soraya from Acme Bakeshop. They were kind enough to lend us their sourdough starter, made from an open-air culture of local yeast and bacteria. We took their tart and aromatic starter to a local lab to isolate the pure, fresh lactobacillus bacteria species. This beer then spends a minimum of 3 months in the bottle, developing its lively carbonation and complex sour character. Utilizing Idaho grown hops, NW barley, local wheat and local bacteria, Boisener-weisse is a truly local offering.
- Captain's Cocktail : Brown ale aged 6 months in dark rum barrels, with fresh ginger added for a lil' kick.
- Brass Goggles : German dark lager with pronounced toasted, nutty, and chocolate notes with a delicate roast malt aroma and flavor. Finishes crisp and clean. The name pays homage to the Victorian age of science & steam powered industrial revolution. Alchemy in a glass.
- Darkness - High West Rye Whiskey Barrel Aged (2014) : Bottled 2014 Darkness was aged in barrels that previously held High West Rye Whiskey and then Surly Eight.
- Hollow Pointe Kölsch : Kölsch is a beer famous for showcasing subtlety, deft, and the best German malts and hops available. Pilsner and wheat malts lay a soft, bready foundation from which delicate hop flavor emanates. The lightest fruitiness gives way to a refreshing, dry finish.
- Scratch Beer 174 - 2015 (Wheat Bock) : Scratch #174 represents our take on the Weizenbock, an artful union of three different beer styles: the Hefeweizen, Dunkelweizen, and Bock. Traditionally, Weizenbocks are thicker, stronger, and often darker than typical wheat beers, yet they maintain some of the refreshing characteristics most wheat beers exhibit. The combination of wheat and barley-based malts elicits complex notes of toasted grains and fresh baked bread, while the darker malts suggest stone fruit, vanilla, molasses, and caramel. Despite its chewy, robust mouthfeel, Scratch #174 delivers a rich, satisfying finish. With the subzero temperatures we’ve been experiencing recently, it will thaw you from the inside out and leave you feeling warm and tingly! 
- Tropical Reb Ale : Reb Ale with mango, passion fruit, papaya, and Coconut water. Dry hopped with Simcoe, Citra, and Sorachi Ace hops.
- El Dorado IPA : Our base IPA dry hopped with El Dorado hops. This hop is described to have notes of pear, watermelon and stone fruit.
- The Wanderer : The Wanderer is a special blend of oak aged ales that we made with Craig and Beth from San Francisco's City Beer Store. Blending a mix of sour ales and our anniversary ale the base of this beer has a delightfully sour tinge on top of a hearty malt backbone. To add to the flavor, Craig and Beth selected blackberries and bing cherries to be added to the ale adding to it's already fruity complexity. This ale went on to win the silver medal for wood & barrel aged sour fruited ales at the 2011 Great American Beer Festival.
- Stratofortress Bourbon : Ingredients: Willett Distillery Bourbon Barrel, Pacific Northwest Pale Malt, Maris Otter (UK Origin), Caramel Malts, Special B Malt, Carafa II Malt (German Origin), Black Malt, Dark II Belgian Candi Syrup, Saaz Hops White Labs Monastery Ale Yeast.
- Tim Blackberry : Belgian dark sour with blackberries
- No. 4.5 Dry Hopped Saison : Aggressively Dry Hopped farmhouse saison with tropical fruit, citrus tones, and a hint of lime in the aroma. Well balanced bitterness with a zesty spicy finish from the saison yeast, a slight sweet maltiness and medium mouthfeel.
- Felis Paradox : Felis Paradox is a tropical dark ale, it's all oats and chocolate, with a crushing dose of ripe mango.
- Common Era : Oatmeal Pale: Pineapple, Passion fruit, Silky. Brewed with an abundance of flaked oats for a soft mouth feel and then heavily hopped at the end of the boil for juicy hop character and strong aromatics of tropical fruit. This is our interpretation of a common brewing trend of hop-forward beers these days.
- Munich Dunkel : Guess where the Munich Dunkel is from?! Yep. Pittsburgh. I joke I joke. Munich Dunkel was developed in the city of Munich as a response to their moderately carbonate water. Its a really simple beer with stunning results (I'm speaking stylistically, though ours is pretty darn good). Primarily Munich Malt (a slightly darker than Pale type) does the heavy lifting and Hallertau hops give a very soft Hop lift to the brew. Aromas of Cereals, Breads, Malt (well, thats obvious but true) and lighter notes of chocolates, nuts, and caramels can be present. Melanoidins flavors are apparent and show up most in versions that are decoction mashed. Melanoidins are formed when sugars and amino acids combine through heat and water and give a very rich and emphatic Malt aroma.
- Scratch Beer 143 - 2014 (IPA) : It appears as though our Scratch Beer Series has been overrun with India Pale Ales lately. From low ABV session-style IPAs and single hopped versions to intense, high IBU juggernauts and variations employing experimental hop varieties, there’s no arguing: IPAs are here to stay! This latest Scratch Beer offering unites four popular “C” hops – Centennial, Chinook, Columbus, and Crystal – to create a complex concoction so confident in its cacophony it’s convinced it could crack the IPA code. (OK, we got a little heavy on the alliteration there.) We recommend that you order a pint and soak in the sticky American hops we dumped into this batch. We promise to keep the poetic license to a minimum.
- No. 17 Honey Brown : A twist on Lb.’s Downtown American Brown buzzing with distinct nutty overtones and a touch of honey to draw out the flavorful chocolate and caramel malts.
- Malt Star : Chestnut color, graham cracker aroma, Maris Otter nutty malt flavor, medium body.
- Coronado / Devils Backbone Devils Tale : An IPA collaboration with Virginia's award winning Devils Backbone Brewing Company. This beer has bright citrus and tropical fruit character care of Centennial and Mosaic hops, with a woody rusticity from the Northern Brewer hops.
- Porcupine De Amore : Blend of an oak aged version of North Peak Brewing Company’s Perilous IPA, a passion fruit American IPA brewed with wheat, and Jolly Pumpkin’s Rosie del Barrio, a foeder aged amber ale. Perilous was first aged in new oak for 1 month then masterfully blended into another foeder to age for 5 months with Rosie del Barrio where it picked up the classic Jolly Pumpkin funk.
- Black Magick - Buffalo Trace Batch #2 : Blue Wax - We couldn’t turn down some super fresh barrels, even if we had already done this barrel treatment before. This time around though, Curt decided to age this second batch of Buffalo Trace Black Magick six months longer than the first batch released back in 2013 to explore the depth of character that could be amassed. This second batch spent 24 months aging gracefully in American oak bourbon barrels resulting in complex layers of coconut, leather, baker’s chocolate, wood and bourbon.
- Overdub IPA : A good beer is like a good sound recording, balanced and pristine. Soft and subdued when it needs to be – In your face and crankin’ when it must. Done right, there’s nothing better than critical listening with a cold pint in your hand. Conceived, created, and brewed in collaboration with Tape Op, Fort George now invites you to put on your headphones and sample a can of Overdub IPA. Pouring a solid gold with a crisp white head, Overdub IPA is a sensory overload of mango and papaya hop aromas, dank grapefruit tones, and mellow citrus finishing notes. This session-style IPA turns down the ABV, and engages the lupulin intensity toggle switch.
- Mississippi Fire Ant : Our first high gravity offering, this dry hopped Imperial Red Ale has a huge malt presence peaking out of its many hop additions. Dark mahogany red with a nice fluffy head, the Fire Ant showcases roasted and toasted caramel notes layered between spicy, fruity and herbal hops.
- Born Under Punches : NE IPA DDH w/ Idaho 7. Notes of tropical fruit and Citrus (apricot, papaya, grapefruit), with a big full body and a slight pine finish.
- Hammer Jack - Peated Bourbon Barrel-Aged : Peated Bourbon Barrel Aged Hammer Jack is a Scotch Ale aged in Two James J Riddle peated bourbon barrels. Dark brown in color with an off white head, this beer has aromas of vanilla, caramel, toffee, marshmallow, and smoke. Oak and prominent vanilla flavors from the barrels shine though from the J Riddle barrels. Accompanied by a silky smooth mouthfeel, the beer produces a slight warming sensation. As the beer warms, traces of smoked malt begin to appear
- Ancient One B-Bomb : Ancient One B-Bomb is a blend of 18 and 30-month B-Bomb aged in 12 and 35-year old bourbon barrels. When we happened upon these rare, 35-year old bourbon barrels, we knew they would add an extra layer of intensity and complexity to B-bomb’s bourbon, oak, cacao, leather, and dark coffee notes. Each barrel contributes a different note and combining each barrel to create a coherent tone is a distinct art and true pleasure. 
- Opal : Bringing down the Farmhouse! Our interpretation of the rustic Wallonian Saison style is a harmonious blend of rustic grains, spicy yeast and unique sauvignon blanc tones. Inviting lemon grass and gooseberry meet peppery spice and fresh grain aromas. Spicy Belgian yeast create a complex yet dry and refreshing canvas with splashes of citrus and stone fruit with a bright tropical white wine finish. Hop bitterness is assertive yet harmonious rounding out slightly tart and refreshing.
- Red Rock Irish Ale : This dark ale is a little brother of stout. Roast, pale and black malts come together in this session black beer.
- Blood Orange Blind Pirate : A juicy IPA. Pirates love citrus fruits almost as much as they love blood. If the phrase “you are what you eat” is true, then pirates are blood oranges. If the phrase “you are what you drink” is true, you’re about to be an incredibly delicious, juicy hop bomb of an IPA. We add bits of real blood orange to every beer, so you know it’s good.
- Brut Squad IPA : A new style of beer that is sweeping through the Bay Area craft beer community and beyond. Ours is deftly hopped with Galaxy and Hallertau Blanc for a fruit forward tropical nose and low bitterness. Like the bubbly French wine this beer is, bone dry and extra carbonated
- Eventually We All Just Fade Into The Grey Oblivion : PA brewed with a small percentage of high dried malt and then hopped intensely with Motueka and Citra. Conditioned on delicate pear purée and cracked white peppercorn. Eminently complex and contemplative.
- Hazey Jane I : Hazey Jane I is a nice and Hazey IPA brewed with spelt and lactose sugar. Hopped with a dash of Simcoe and a proper helping of Citra. Dry hopped exclusively with a good bit more Citra. Do you hope to find new ways of quenching your thirst? Ripe guava, soft peach, sappy pine, passionfruit, champagne mango, and augmented fourths. 
- Belgian Dubbel : The Belgian Dubbel is a rich malty beer with some spicy / phenolic and mild alcoholic characteristics. Not as much fruitiness as the Belgian Strong Dark Ale but some dark fruit aromas and flavors may be present. Mild hop bitterness with no lingering hop flavors. It may show traits of a steely caramel flavor from the use of crystal malt or dark candy sugar. Look for a medium to full body with an expressive carbonation.
- Bee(r) School : Brewed for Philly Beer Week in partnership with our friends from Fruitwood Orchards called Bee(r) School. This 5% ABV Wheat Pale Ale brewed with Fruitwood Orchards orange blossom honey, malted wheat, and hopped with Azacca, El Dorado, Lemondrop and Mandarina Bavaria hops is bursting at the seems with huge notes of pear, kiwi, and lemon meringue pie. Fermented with a special blend of Norwegian ‘farmhouse’ yeast called Kveik, specifically a two strain Hornindal blend known for it’s tropical and stone fruit character, we couldn’t think of a better beer to release just in Philly Beer Week and the warm Summer nights to come. The end result is citrus, peach, and apricot explosion that’s reminiscent of driving around an orange farm in Florida or a peach grove in Georgia on a warm Spring day. Easy to drink would be an understatement.
- Munro : A strong scotch ale with big rich malt flavors, reminiscent of dark caramel, fig jam and light smoke.
- Brosaic (2016+) : This bro is complex and hard to categorize. He enjoys juicy hop flavors, subtle bitterness, crushability and well executed head. Plays well with neckbeards, flip flops and flat brims, as well as Mosaic and Simcoe hops.
- Do These Hops Make My Beer Look Big? : Can you imagine what Stone Brewing Co. would be like without hops? Neither can we! Those bright green, lupulin-rich cones are the cornerstone on which some of our most beloved beers—Stone IPA, Stone Go To IPA, Stone Ruination IPA, Stone Enjoy By IPA and lots more—were constructed. We’d like to think we’ve done as right by this bitter botanical as it has by us. Ditto the noble hop growers who’ve not only tilled the soil and tended the bines, but also forged ahead to breed new and exciting experimental hop varietals, many of which have charged to the head of the hoppy pack and found their way into some of the planet’s most coveted brews, including our own. So, it is with great pride that we crafted this one-time-only imperial IPA. But we’re Stone…double IPAs flow like water from our brewhouse. So what makes this one unique? Experimental hops! We dabbled with a number of new varietals, including the excitingly named HBC 291, which we brewed with for the very first time. It takes a heaping load of what-the-hell-let’s-go-for-it attitude to go full-brew with something so new, but fortunately, that’s something that flows like water around here, too. So enjoy this tribute to the almighty humulus lupulus. Get your nose in that glass and take in the complex assortment of vivid aromatic sensations in the bouquet, followed by flavors that are simultaneously citrus-like, foresty and altogether scrumptious.
- 22nd Anniversary Dark American Sour : An expert blend of bold character, this Dark American Sour is a perfect culmination of 22 years of craft and ingenuity. Aged in red wine barrels, this robust offering is as sophisticated as it is sour. Notes of black cherry jam and tobacco are countered by a welcome tartness and tannic oak finish that lasts long after each sip, making 22nd Anniversary a beer you won’t soon forget.
- Lakeland Gold : Golden Ale. Hoppy and uncompromisingly bitter with complex fruit flavours from the blending of a modern English hop, First Gold, with the outrageously fruity American hop, Cascade.
- Samuel Adams Tetravis (Barrel Room Collection) : Bold and Rich Belgian Quad- Its deep complexity starts with a molasses sweetness and finishes with notes of dark fruit and tart spice from our signature Belgian yeast.
- Argonaut Collection: Double Liberty IPA : Like Anchor¹s Liberty Ale®, Double Liberty IPA is made with 2-row pale malt and whole cone Cascade hops. Unlike Liberty Ale, Double Liberty has double the hops and double the International Bitterness Units (90 IBUs), imparting uniquely complex flavors and dry-hop aromas.
- Clare's Strong Scotch Ale : Clare said "let's make a Scotch ale this fall." I said "great idea!" This big, malty ale is brewed with 7 different types of malt including Special B, Victory, dark crystal, and chocolate. Scotland is a historically poor growing region for hops, so many of their beer styles are malt forward and complex. Look for hints of cherry, raisin, toffee, and cocoa!
- Mythical White : A complex blend of Montana barley, wheat, Noble hops and spices. Crafted together for a rich , full bodied and intensely aromatic strong golden ale.
- Handsome Angeline : Brewed in collaboration with Fonta Flora - this is a Piedmont-style Kvass made with rye sourdough bread from Chicken Bridge Bakery, grapefruit, local fennel and foraged pine needles.
- 17 : A low-abv saison brewed with fruit & flowers
- Narragansett Lovecraft Series - The Temple : A twisted, more hop-forward interpretation of a Sticke Altbier that brings an ocean of complexity to the senses. Flavors of caramel and bread wash over your pallet from a blend of munich, caramunich and chocolate wheat malts, which are brightened up by the rolling essence of honeydew melons and strawberries from modern Huell Melon hops and the subtle floral and spice form traditional Perle hops. The light in The Temple is on. What happens next is entirely up to you.
- Pugsley's Signature Series: Imperial Porter : A full-bodied, very dark, malty beer with a good roasted character. The beer has an OG of 1.070, rounding out after fermentation with just a slight residual sweetness and cutting dry at the finish.
- Church-Key Holy Smoke Scotch Ale :  This unique beer was made as a connection with John and his Celtic family heritage. Ne Oublie, is the Graham Clan ancient family motto, indeed all that have tasted Holy Smoke can say that this Beer will never be forgotten. The Graham clan tartan is also used on the packaging. Holy Smoke Scotch Ale is a dark, strong ale that uniquely utilizes Scottish imported peat-smoked whisky malt, it is smooth, rich and malty, dominated by these peat roasted smokey notes.
- Deux Funk : Through mutual admiration and brewing ethos, Funkwerks and Wicked Weed Brewing decided to collaborate and brew a beer that illustrates both breweries similarities as well as our unique differences. The result is a blend of 2 separate brews, 3 fruits (guava, papaya, passion fruit), and 4 microorganisms. Combining Wicked Weed’s artistry with barrel-aged Brettanomyces-fermented beers with Funkwerks’ kettle souring expertise, Duex Funk is a deliciously fruity wild ale.
- Wunderkind IPA : This beer is a light bodied tropical IPA fermented with a wild yeast. Aromas of citrus & tropical fruit are complimented with a hint of pine from the Citra & Mosaic Hops added both in the whirlpool & dry hop. Hence the name, this beer has great success when enjoyed young!
- Waypost: Green : A big offering to celebrate a big milestone: the 1-year anniversary of The Virginia Beer Company! A dark base blending hefty amounts of Chocolate Malt, Roasted Barley, and Midnight Wheat creates a robust, jet black beer softened with additions of Flaked Oats. Complemented with a peaty smoke character contributed from time spent aging in Islay Scotch casks, Waypost: Green is inextricably linked to its sister variant, Waypost: Black, by unifying accents of chocolate on the finish. 
- Coffee Blonde : Our Coffee Blonde is light and refreshing, brewed with a touch of lactose, cocoa husks from Sirene Chocolate and topped off with cold brewed Ethiopian Wote Konga from Fernwood Coffee.This is a light and fruiter bean style to compliment the lightness of the beer. With a pilsner malt base and sitting at only 4.5% with roasty chocolaty notes, this beer is a perfect way to have a refreshing beer with all the glorious effects of caffeine.
- Citrocity : Pacific northwest hops, Citra forward, with a strong malt backbone. Mango, papaya, and passion fruit nose.
- Tap Weizenbock : This amber, full-bodied ale is made with 60% wheat for a slightly fruity malt flavor. The yeast contributes banana and clove flavors with a touch of chocolate and caramel flavors.
- Spin Cycle #11 : This edition of the Spin Cycle series is loaded up with Citra, Ekuanot, and Motueka hops. Aromas of citrus and tropical fruit, with a clean resinous taste.
- Red Racer Stout : This dark Irish stout is deep, dark, smooth, and creamy. The use of oatmeal in the mashtun adds a silkiness to the texture and body of this ale.
- Orange Blossom Saison : The Official Beer of the Louisville Street Faire 10th Anniversary. This Summer Delight is Brewed With Local Orange Blossom Honey Which Imparts a Wonderful Citrusy Aroma and Flavor. A Blend of Both French and Belgian Saison Yeast Strains Lends This Classic Farmhouse Ale Layers of Fruity and Spicy Notes. Unfiltered, Creating a Beautifully Orange Hue. 6.8% ABV, 28 IBU
- Winter Grand Cru : For 2010, we offer a very limited release of (only 48 barrels) our Winter Grand Cru. In this batch, we've added over 100 pounds each of locally sourced Zante Currants and Black Mission Figs. We aged 20% in used Bourbon barrels for 12 months - in which time the warmth of the Bourbon, along with toasted oak and vanilla flavors were released from the wood. Whole Vanilla beans compliment the wood and bring forth a velvety smoothness and richness. The fig flavor is forward on the nose along with the bubble-gum/banana ester derived during fermentation. The taste starts with the rich sweetness of fruit, carries through with a rich mellow center and finishes dry, allowing for another glass as you sit by the cozy fire. Á votre santé!
- Thunder Canyon Arroyo Brown Ale : A brown ale brewed with a touch of roasted malts to impart a nutty chocolate flavor. This beer has a rich maltiness, balanced with just the right amount of hops.
- Always In Death : Everything ends. This simple fact reminds us to make the most of the things, to breath deeply, to chase inspiration, to live and love with abandon. With this in mind, we offer you the final installment of SARA’s Cellar 2014. Always in Death. A tart, barrel-aged, dark farmhouse ale, this single barrel selection stood out from the rest, and is now yours to memorialize in solitude or with friends. Everything ends, always, in death.
- Alpha Bits 5 : Alpha Bits 5 is a New England-style Double IPA brewed with over 6.5 lbs of Citra, Mosaic, and Amarillo hops per barrel to produce a dangerously drinkable beer bursting with tropical fruit and citrus character.
- Chouffe-Bok 6666 : CHOUFFE BOK 6666 is a seasonal beer brewed especially for the Netherlands. The "Bok" beers traditionally appear on the Dutch market at the end of September. CHOUFFE BOK 6666 stands out thanks to its coppery robe, its fresh, fruity nose and a pleasant roundness in the mouth, ending with a hint of bitterness.
- Old Engine Oil Black Ale : Legend has it that Old Engine Oil was dedicated to our Head Brewer’s love of classic cars. But it’s the thick, dark, chocolatey viscosity that reveals the real inspiration behind the name.
- Yuengling Dark Brewed Porter : Yuengling Dark Brewed Porter is an original specialty beer that has been brewed expressly for tavern owners and family trade since 1829. We are proud to be recognized as one of the largest porter producers in the US. An authentic craft-style beer, our Porter calls for a generous portion of caramel and dark roasted malts, which deliver a rich full-bodied flavor and creamy taste with slight tones of chocolate evident in every sip. It pours dark, topped with a thick foamy head, and imparts a faint malty aroma. This smooth and robust Porter has a unique character that complements any meal from steak or seafood to chocolate desserts. Yuengling Dark Brewed Porter is enjoyed by even the most discerning consumer for its flawless taste and unwavering quality.
- Moon Froot NEIPA : Moon Froot. What does that even mean? No one knows what it means, but it's provocative. It gets the people going! Our hazy New England Style IPA has all the juicy, tropical fruit aromas and flavors you would expect from this exciting style.
- Young Lions : Young Lions is a 6% IPA pale yellow with hints of orange juice in appearance. Hopped intensely with Simcoe, Amarillo, and Motueka. Very low bitterness, crisp, and juicy. Notes of melon, grapefruit pith, bright lime peel, passion fruit, fresh mandarin orange, with a subtle floral note on the aroma. This is a special beer for us for many reasons and we hope you enjoy this as much as we do.
- The Wake : Dark & Seductive Imperial Stout Brewed with 10% Flaked Oats + 6 Different Malts; Silky Palate of Dark Chocolate, Roasted Nuts, Burnt Caramel & a Long, Insistent Finish of Freshly Drawn Espresso.
- Barnstorm : A rich, dark farmhouse ale with chocolate notes. Brewed with roasted and smoked malts, and fermented with Belgian yeast.
- Wayfaring Saison : Wayfaring Saison is a fun one-off employing a single strain of brettanomyces in the fermentation. The unusual yeast strain developed complex but balanced aromas and flavors ranging from pineapple and guava to dusty pink lemon and green grape. Some barrel aged Saison Vert from December 2016 was blended in also, layering oak and lime notes into the profile while slightly increasing acidity for a bright character, making the beer taste both historic and modern.
- Icarus : Icarus is an Imperial Blonde Ale, dry hopped with Simcoe and Centennial hops. Crisp and Clean with a touch of sweetness, Icarus is easy to drink with notes of stone and tropical fruits.
- Ronen HaKeha HaMerusha’at (The Wicked Dark) : It is a dark ale with a unique flavor combination of roasted coffee, chocolate, bitterness felt and smoking is easy. In DC it won first place in competition-style dark ale "longsot 2010 "by Samuel Adams and a silver medal in international competition BIRA 2011.
- Citra Weisse : We were extremely lucky to have our friend Gerd Schoenberger form Braurei Eck in Germany to brew a special one time beer. This traditional Hefe-Weisse is brewed with German Pilsner and Wheat malts. The addition of orange, lemon and grapefruit peel adds to the character of this delicate beer. Only made once, so when it is gone, it is gone!
- Winter Warmer : A medium-bodied dark ale finished with classic winter spices.
- B.G.S.A. : A pale, complex, effervescent, strong Belgian-style ale. Highly attenuated, surprisingly drinkable, featuring fruity and spicy notes. Brewed with Sichuan peppercorns and lemongrass.
- Barrel Fermented Hop Hog : Our flagship IPA that has a primary fermentation in new French oak barriques before being returned to stainless steel for final processing and carbonation. Think of all the great pine needle and grapefruit you associated with Hop Hog with an added vanilla aroma and softened mouth feel.
- Rob Your Secret : One-off variant of Rob Your Head dry-hopped with Vic Secret, adding subtle notes of Passionfruit & Pine! 
- Coconut Porter : Great Crescent Coconut Porter is brewed as a traditional English Style Porter. Organic Coconut is added during the brewing process to give this beer a nutty flavor and a little touch of sweetness that blends perfectly with the style. A hop blend of English East Kent Goldings and Fuggle give this beer an authentic flavor.
- Lake Huron Blueberry Berlinerweisse Ale : Blueberries are ubiquitous in Michigan and Ontario and provide the color, sweetness, and acidic complexity to this light bodied tart ale. This is perfect summer drinking but can be enjoyed year around. Our Berliner base is kettle soured and fermented with Kolsch yeast. Blue berries are added in both the boil and in secondary fermentation.
- Geek Coconut Porter : Geek Coconut Porter is a dark robust porter with a depth of flavour created from a wide range of carefully selected malts with the addition of toasted coconut. The intriguing aroma and rich chocolate flavour makes for a truly delicious beer. You could even say it's Geekalicious.
- Mountain Candy : Hop-bursted with high-alpha, resinous varietals, then double dry-hopped, this medal-winning, aromatic IPA is big on juicy flavors of stone fruit and Lifesavers candy, with notes of citrusy dankness.
- Maibock : Traditionally, Maibocks are brews with annual releases which have become synonymous with the celebration of the return of spring. To bring together all of the complex flavours, this lager requries additional brewing time (more than 8 weeks).
- Chocolate Stout : Escape to a far off place with this rich, roasty stout aged on artisanal dark cocoa nibs.
- Watermain Amber : The quintessential pizza pairing; this well balanced American Amber ale uses light and dark roasted caramel malts as well as Munich malt to provide a well-rounded malt back backbone for Simcoe and Amarillo hops that bring notes of pine and stone fruit to the beer.
- Belgian-Style White Ale : This traditional White Ale is faithful to the Belgian style with its light body, cloudy color and touch of spice. A complex, refreshing ale that’s perfect for any season.
- Idaho 7 IPL : The newest edition in our Single Hop IPL family: Idaho 7. Hopped with heaps of this oily beast and fermented with our house lager yeast, this beer emits massively dank and fruity aromas. Papaya, red grapefruit, and resin are found throughout with hints of black tea.
- Mo's Saison : A beer for my beauty wife, who likes to keep light and refreshing saisons with mild spice and fruit character stocked in our fridge. This seasonally influenced saison features rotating ingredients grown here on our farm. In addition to using our 100% estate-grown hops, this current version, bottled 9/20/2017 is brewed with FRESH Tettnang hops from our farm, adding spicy and green grass notes to the beer.
- Raspberry Dubbel : The red fruit sits behind classic Abbey yeast esters. More present in the taste, but maintains a supporting role to predominantly sweet aromas and flavors. 
- Iron & Barleywine : We blended this English-style barleywine with grape must for a distinct, vinous character that pairs well with slow braised dishes or acoustic folk rock. Notes of plum, pear, grape, red wine, fig, honey, and rock candy blend into a complex, slow sipper.
- Hertog Jan Oud Bruin : Doesn't fit to Flanders Oud Bruin beer style category. Fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Ethereal Gin Barrel Aged Realization : Aged for at least six months in a Berkshire Mountain Distllers Ethereal gin barrel. Realization, our pine and grapefruit forward DIPA marries with the floral & botanical gin characteristics creating a concoction sure to please beer and spirit drinkers alike.
- Mossback Monk Belgian Style Tripel : Mossback Monk is a traditional brewed Belgian Tripel. Dominated by pale malt this golden beer can be quite deceiving: it is smooth and slightly sweet, with an effervescent finish, yet boasts almost 11% ABV. It has a variety of flavors from the unique Belgian yeast used to ferment it, ranging from ripe stone fruits (ex: plum, apricot) to bubble gum, to cotton candy, to a slight pepper finish.
- Victory Harvest Ale : Highly aromatic and sensual, this novel pale ale delivers a fresh hop flavor like no other brew. Its secret? Fresh hops piled into our boiling kettle just hours after their harvest. With many more of their essential oils intact, these ‘wet’ hops add glorious middle notes of juicy, fruit and tea-like bite to play off of its lightly toasted malt character deliciously.
- XJA436 : Want more South African hops? Here's a brand new single hop pale ale hopped aggressively with an experimental hop from SAB hop breeding called XJA436. This is brand new to the U.S. We are not sure if any other U.S. breweries have this hop, but it can't be many. We get some lemony notes as well as some hay and stone fruit and melon. Come by CM and try something RARE! Oh wow! 
- Hoppus Maximus : This beer's name will not disappoint! The complex character of American hops and amber colored caramel malts make this beer very crisp and refreshing.
- Schuylkill River Swankey (2018) : An English dark mild conditioned on a small amount of anise hyssop grown up the street by Tine & Toil Farm. Its easy, light and creamy, with a very light anise touch.
- Matilda Lambicus : Golden copper color, fruit and baking spice aroma, spicy tart flavor, very dry body.
- The Bitter End : Lager hopped as an IPA allowing the full flavor of the hops to shine through in a clean and crisp lager. Pale gold and medium bodied with aromas and flavors of grapefruit, melon and pine.
- Kuhnhenn Todd Parker Can't Lose : Creamy copper in color, the ale has distinct Belgian aromas. Moderately spicy with orange-like fruitiness, this medium-bodied beer is refreshing, light, and beautiful on a summer day.
- Dunkel Weizen : A darker style wheat beer with unique a banana bread character”Similar to a Hefeweizen, these southern Germany wheat beers are brewed as darker versions (Dunkel means “dark”) with deliciously complex malts and a low balancing bitterness. The color is a cloudy (unfiltered) medium brown with the usual clove and fruity (banana) character, which comes directly from the yeast.”
- Bourbon Winter Warmer : A strong, dark English-style ale brewed with spices, brown sugar, and molasses, then aged in a bourbon barrel.
- Frambuesa Diablita : Frambuesa Diablita is a super sour tequila barrel aged mixed culture Gose and Raspberry American Sour Ale blend. A variation of Short’s Ocho de Mayo, this Private Stache beer is brewed with lime, lemon, Himalayan pink salt, raspberries, and lactobacillus. Slightly hazy and rose-colored, Frambuesa Diablita pours with a pink tinted head. An initial aroma of earthy tequila is followed by scents of raspberry and citrus. A bold tequila flavor is matched by tart, salty, and fruity notes. The sour and salty flavor combination in this hybrid beer gives this light-bodied brew a very dry and mouth puckering finish.
- Climb High-P-A : An IPA is a must in any breweries repertoire and the Climb High steps to the plate to fill the niche. With 75 IBUs and 7.3% alcohol by volume this beer doesn’t crack under pressure. A mildly sweet malty base supports the high level of bitterness, while a generous late boil Cascade addition and gentle level of dry hopping provide the perfect blend of floral aroma and fruit flavor. This beer is a certain hit with any IPA fan.
- Landwehr Milk Stout : Named for the Landwehr family who originally owned and operated a dairy in our current location. Our milk stout is smooth and dark in color. It is roasted with malty, flavorful hints of chocolate and has a sweet finish from the milk sugar.
- Provacateur : Spicy and complex yeast notes dominate the aroma with hops in the background. Up front is a rich malt palate with some alcohol sweetness, leading into herbal, grassy hop notes, provided by "Triskel hops," a French hop variety from a cross between French Strisselspalt and English Yeoman. The big mouthfeel is met with an equally pronounced alcohol warmth in the finish.
- Martello Stout : Heavily roasted malts characterize this darkest of traditional brews. Martello Stout is uncompromisingly bold like the unique towers which once defended our maritime shores.
- Passion Foeder : We took 18 month old Foeder Gold and refermented it hundreds of pounds of passion fruit. This batch is member-only. We love it, so we'll probably do more down the road.
- Rojo Grande : Rojo Grande or "Big Red" was brewed by our Head Chef Dave Foster and mug club member Jason Uhl. These two Big Reds brewed an Imperial Red Ale that has a distinct caramel flavor, fruity esters and a ton of citrus character from the use of American hops.
- Ride That Bear : Ride That Bear is an imperial hoppy brown ale. With a sleek malt physique imparting warm, nutty and toasty layers, complemented by California yeast and a particularly excellent sense of smell from dry-hopping.
- Saison Voila : A traditional Saison, lightly golden in color with lively carbonation. A wonderful nose of white pepper, spice, and fruity esters transitions to a husky, rustic, slightly grainy flavor which melds nicely with the fruity, peppery notes before drifting to a pleasant dryness.
- Malocchio's Bane : Malocchio, or the Italian "evil eye", was said to cause injury or bad luck to any unfortunate enough to incur it. The wielder of the eye had high arching brows and a stark stare leaping from dark eyes, and folklore said the only remedy was to bathe in beer and burn sage for protection. Sixpoint's own Brewer/Wise Sage Danny Bruckert has melded the two antidotes together into a sage infused IPA that's both delicious and auspicious. Note: sample size restrictions still apply, so no beer baths. 6.5% ABV
- YOJO 66 1/6 : YOJO 33 1/3 juiced up to an imperial level. Massive charges of Mosaic and Simcoe hops create bright flavors and aromas of pineapple, evergreen, peach, fresh herbs and passion fruit over a simple wheatish malt grist.
- Dubbel Block : Inspired by the Abbey ales of Belgium, we created a dark, malty dubbel using a varieties of specialty malts, dark Belgian candi sugar, and dried Deglet Noor dates from California. Brewed in collaboration with The Block Restaurant. Ideally paired with roasted/grilled/smoked meats and chocolate.
- Super Bad Double India Pale Ale : Golden haze with white head. Dank grapefruit mango aromas with stone fruit and citrus nectar, round mouthfeel with assertive bitterness. Brewed with English Pale and wheat malts. Fermented with American Ale yeast, hopped with Ahtanum, Centennial & Simcoe.
- Solstice Stout : ​Most of Earth's landmass is located North of the Equator, and the dark of winter around the New Year is something only the northern half of that hemisphere experiences. This culminates at Winter Solstice, the day when the Sun spends the least amount of time above the horizon. This beer, too, is dark, but celebratory. Cocoa notes, a cranberry tartness, and an oatmeal stout base. It's a darkness you can relish. 
- Bane Of Existence : Notes of passion fruit, gooseberry, stone fruit, and fresh pine.
- Grandpa’s Homegrown Wet Hop IPA : Our tribute to the annual hop harvest, this year’s homegrown is hopped with six pounds per barrel of freshly harvested Chinook. Aromas of earthy pine and citrus are rounded by a grapefruit peel bitterness and a slightly sweet malt flavor.
- New Juice On The Block : IPA brewer with lactose, guava and passion fruit
- Fangtooth Double IPA : Lurking in the hazy depths, under the veil of darkness, lies the Fangtooth waiting for its prey. Few landlubbers have witnessed this elusive creature, but (a 90 year’s young) legend has it lesser fish are no match for its razor-sharp teeth.
- The Veil / Trillium - Unconditional : Galaxy dry-hopped, 100% barley grist, turbid mashed American Wild Ale. Half of the grist consisted of barley from Valley Malt in Massachusetts. We boiled for an extended period with aged hops, then we pumped the wort into our koelschip and allowed it to naturally cool overnight and inoculate with our local wild micro flora. Next we filled red wine barrels, pitched Trillium’s house culture, and allowed them to age for 13 months. Reminiscent of Lambic with a fruit leather and oaky complexity. Bottle Conditioned.
- Yards Saison : Saisons were originally brewed to keep farmhands happy and hydrated during the warm summer months. True to the style, Yards’ Saison is a semi-unfiltered Belgian style ale brewed with distinctive Belgian yeast. It’s delicate and fruity with a subtle spiciness. Styrian Goldings in the kettle lend a touch of hop to the palate, balancing out this highly drinkable version of the classic style.
- Ramen To Bíiru Yuzu : Ramen Beer, a light and refreshing Belgian table beer designed to pair well with the complex and nuanced flavours of Japanese food, gets a real kick up the pants with the addition of yuzu. This incredibly sharp Japanese citrus fruit transforms this beer into something else entirely.
- Oak Aged Nut Brown (Wine Barrel Aged) : Aged 6 months in used Cabernet barrels from Honig Winery. Look for sweet, nutty, malty, vanilla, & chocolate flavors.
- Brooklyn Hecla Iron Ale : Malts: Light Munich, Dark Munich, Dark Carafa, Crystal 150, black barley
- Slow Elk Oatmeal Stout : Happens Every year; people shootin' cows. That's how the Slow Elk got it's name. Enjoy the creamy texture, great malt complexity and the unequaled smoothness of this Northern Rockies Oatmeal Stout. Stock your fridge the easy way and keep an ear open for the unmistakable bugle of the slow elk.... MOOOO!
- Harry Girls Ale : Saison style, made with darker richer malts, hearty tasting ale.
- Terroir : Sour ale style beer aged in red wine cask with 30 kg of Graciano grapes. Made with Pils malt and aged hops. Reddish in color and light in body, with persistent white foam, slightly sparkling. Aroma of fruits with a recollection of wine.
- DryHop / Motor Row Multigrain Zwickel : With rye, wheat, and flaked oats, this brew is a creamy and fruity unfiltered lager with a balanced bitterness and clean finish. If only we had a Holzfass…Prost!
- Shawesome : Bright citrus aroma hopping out of the glass. The taste starts off with a mix of smooth fruity hops mixing with dark roasted malts, follows through to a finish that is balanced with the beefiness of malt and alcohol.
- Peach Pie Berliner : To create the latest entry in our #pastrysour series, we started by adding lactose sugar to our kettle-soured Berliner base, then fermented it with over 500 lbs of peach puree. After fermentation, we aged the finished beer with graham cracker and vanilla to give it the signature pie character. The sweetness of the peach and lactose are perfectly balanced by the tartness of the base beer, resulting in a tart, sweet, complex and refreshing beer reminiscent of its namesake.
- Walker's Reserve - Porter : A singularly distinctive beer that represents our finest brewing efforts, Walker’s Reserve is a elegant dark ale featuring robust flavors of toffee, caramel and bittersweet chocolate. This brew employs five specialty malts, as well as oat and barley flakes, for added complexity and flavor.
- Steampunk Porter : An industrious, delicious porter that pours dark under a beautiful creamy head and drinks smooth with hints of licorice and dark, earthy notes throughout. This beer was devised and brewed by the tour guides and tasting room crew of the Milton Brewery - they were inspired by the recent installation of The Steampunk Treehouse outside the Tasting Room windows. Made with Marris Otter, Chocolate, Roasted Barley and Crystal malts, Warrior and Vanguard hops, licorice root and lactose to smooth the whole thing out.
- Dark Star Lager : A dark German lager that balances roasted yet smooth malt flavors with moderate hop bitterness. This beer is a regional specialty from southern Thuringen and northern Franconia in Germany.
- Haole Punch : Our wort is soured with five strains of natural, probiotic bacteria that produce pleasantly tart levels of lactic acid. Once the baseline sourness is established, we take the wort through a normal fermentation just like any other beer, and condition this particular one on passion fruit, orange and guava puree.
- Darkly Chocolate Stout : Chocolate Stout brewed with English Ale yeast. Dark in color with nice tan head. Roasty aroma with a hint chocolate sweetness and yeast esters. Dark chocolate throughout, subtle and pleasant malty/cocoa finish.
- Basilisk Black : Hailing from the dark abyss, Basilisk is dark, roasty, and bitter. Will you dare cross its path?
- Bad Business 80 : This beer was brewed with inspiration from our good friends at the Huff Hills Ski Area. A portion of the malt used for this beer was smoked in small batches at Fireflour pizza, lending a traditional complexity to this eighty shilling Scottish ale. Low in bitterness and a slightly sweet profile lets you appreciate the malt profile while still providing for a rounded and crisp finish.
- Red Broken Angel : This iteration of Broken Angel was fermented with our Native New England mixed-culture and aged in new American oak foeders for one year before re-fermenting atop Plums and Raspberries. Red Broken Angel has a hazy deep red color with aromas of raspberry preserves, candied fruits and kiwi. The palate contains a lemony tartness, an intense overripe plum flavor, and light oak that adds structure. Immensely drinkable and the perfect beverage as warmer weather approaches!
- Aura: Elderberry & Black Currant : Fruited with elderberry and blackcurrant, this sour ale has a gorgeous pink and orange hue, reminiscent of grapefruit skin, with an airy white head that fades quickly. Bright pear and lemon peel aromatics are balanced with light, tea-like earthiness and mild grainy malt notes. A sturdy, but not overbearing tartness leads to flavors of fresh grapes and white-tea, with subtle plum-like sweetness. A nice, refreshing session beer.
- Curiosity Nine : We’re excited to present the ninth beer in our journey exploring and discovering the delights of various hop varieties, combinations, and their respective interplay with ingredients and brewing approaches. Nine strongly features the Mosaic, a hop that has quickly gained notoriety in the brewing community for its appealing properties. This is only our second time brewing with Mosaic, and man, are we blown away by it. We taste and smell one of the most potent melanges of tropical fruit of any beer we’ve brewed! There’s mango, papaya, guava, juicy fruit…. dank citrus… ? ...all tied together by a velvety soft and dry malt backbone. A fun beer all around, and one that we say is the most distinct Curiosity to date!
- Dark Territory : Dark Chocolate Coconut Stout
- Scratch Beer 124 - 2013 (Chocolate Raspberry Stout) : Brewed with decadent dark Belgian chocolate and an abundance of tart raspberry purée, Scratch #124 is an enticing Imperial Stout brimming with optimism. Each passing sip reveals its enduring charm and infinite merriment. The addition of Westmalle yeast (a Trappist yeast strain) enhances the flavor and texture of the ale, giving it an authentic Belgian flair. A celebration of two flavors that complement each other so exquisitely, Scratch #124 answers the all-important question: “What’s for dessert tonight?”
- Palomino Saison : Floral, spicy and fruit forward. Dry mineral like finish.
- Plum Bretta : Plum Bretta starts as a golden farmhouse ale added into red wine barrels inoculated with Brettanomyces Bruxellensis. In late summer we’ll pick, rinse and puree local Italian Plums and add this to the beer for approximately 5 weeks. The result is a tart, light purple beer with a complex nose and fruity flavor with likely contribution from wild yeast living on the plum skins.
- Clocktower Red : This is our most complex beer.
- Inebriator Stout : This BIG, BOLD, SMOOTH, DARK, DELICIOUS Imperial Stout is simply beautiful. The INEBRIATOR STOUT weighs in at 9.1% alcohol by volume; consider yourself warned.
- Death To False Black IPA : This 6.3% Black IPA is brewed with 2-Row Barley and Midnight Wheat and is dry hopped with Citra, El Dorado, and Equinox. It’s dank and resinous with notes of grapefruit, stone fruit, and tropical mango inversely paired with a demon-like black hue with garnet highlights.
- Zuur Cafe #4 : Barrel-aged dark farmhouse ale with coffee.
- Vapor Wave : Vapor Wave is an experimental IPA brewed with acidified malt which adds a nice tart acidity and sea salt to give it a complex flavour profile that is both balanced and refreshing. It was then triple dry hopped with Citra, Lemon Drop and Motueka hops giving it a big citrusy hop punch that reminds you that that beer you’re crushing is actually an IPA.
- Narragansett Autocrat Coffee Milk Stout : This beer is a unique collaboration between two iconic Rhode Island companies. A custom blend of Narragansett’s bittersweet milk Stout with dark, delicious Autocrat Coffee makes for a delightful beer that is more Rhode Island than Roger Williams himself. Since the 1890’s, Narragansett Beer and Autocrat Coffee have been home-grown Rhode Island favorites.
- Stargazer IPA : Five different hop varieties sit atop the roasty goodness of Victory Malt. Darker than your average IPA, this beer begs to be enjoyed under a clear night sky.
- Latus : Latus - revisits the original beer that launched the Bird of Prey series which also had a 2016 edition. This very unique sour has been conditioned in a mix of American and French oak wine barrels for a year, creating a dry, sour and funky profile that will continue to evolve for a very long time. This 2017 version showcases the maturing character of the barrels and the tart, fruity depth of a Flanders Red.
- Java Head Stout : JavaHead is like a day at Tröegs; it’s hard to tell where the coffee ends and the beer begins. This creamy oatmeal stout is infused with locally roasted, cold steeped coffee through our HopBack vessel, releasing subtle hints of cocoa, roasted nuts and dark mocha.
- Sans Pagaie : Sans Pagaie translates to “without a paddle” and is our take on the Belgian-style kriek, a sour blonde ale aged in barrels with cherries. The base beer has a subtle funk that melds gently with the fruit giving this beer flavors reminiscent of coconut, vanilla yogurt and of course, fresh cherries. A complex beer, perfect for a warm California day in the park with a slice of home made chocolate cake.
- J.R.E.A.M. Bikini : The taste, the color, the ABV. So beautiful. This collaboration w/ @eviltwinbrewing is exactly what we want in a summer beer. Copious amounts of Apricots and Grapefruit put this over the top.
- E.S.B. : An English style ale brewed with Fuggles and East Kent Goldings hops along with a European yeast strain. This combination gives the beer a subtle hoppiness along with a disinct malty sweetness and complex fruitiness.
- Double Vision Doppelbock : Our Double Vision Doppelbock is brewed with Idaho 2-Row Pale and German Munich, CaraAroma, CaraMunich and de-husked Carafa malts to an original gravity of 24 Plato (1.096 SG). The malts provide a dark leather color with ruby notes, a luxurious tan head, and a bready aroma with a hint of smoke. It is lightly spiced with Liberty hops, an American version of the noble German Hallertau Mittelfruh, and fermented with lager yeast from a monastery brewery near Munich. In the traditional manner, Double Vision is fermented cold (48 F) and lagered a full 10 weeks for smoothness. At over 8% alcohol by volume, it is a deceptively drinkable springtime warmer.
- Black Bear : This light flavored black lager is our version of a classic schwarzbier. This schwarzbier has moderate malt flavors that finish clean and sweet, and are balanced out nicely with just a hint of bitterness. The appearance is very dark brown, with a tan-colored head. The mouthfeel is medium bodied with medium to medium-high carbonation. Black Bear is truly a beer that will surprise the drinker. It is overall dark, but very pleasantly sweet with no harshness that most would expect from a dark beer. This beer is available seasonally, so try it when you can.
- Sun Up Armadillo Red Ale : A complex blend of British Specialty Malts and aromatic American Amarillo Hops make this brew truly unique!
- Swimming in the Mangrove : An oak barrel is a beautiful sight. It captures the essence of the natural ingredients used in brewing and alludes to our past. Our California red wine puncheons dwarf the standard barrels populating The Mangrove at Wolf's Ridge and are especially beautiful to behold. These puncheons only age our most unique and limited projects. After a year of maturation we find clean stone fruit acidity on the nose that compliments flavors of oak, cherry, caramel and tart apricot A wonderfully complex beer from a remarkable barrel.
- The Saison Also Rises : This traditional straw colored Belgian Farmhouse ale is brewed with pilsen malt and authentic yeast from one of Belgium’s classic saison brewers. Malty yet dry, spicy and floral notes make this complex ale super drinkable and a conversation starter.
- Sodbuster Stout : Hearty ale with color and flavors derived from roast, chocolate, and caramel malts. This ale has a complex taste with a rich creamy mouthfeel. The pronounced hop presence balances the deep malt flavors.
- Diamond Age : This incredibly unique beer underwent months of mixed fermentation before we loaded it up with generous amounts of kiwis and blueberries, yielding a beautiful, deep-red saison with assertive aromas of dark fruit and a delightfully refreshing tropical acidity that rests softly on a meticulously restrained malt bill. Its an artfully choreographed ballet of tart, fruity complexity, and your lucky little taste buds have front row seats.
- Heavy Trommel : Heavy Trommel is our take on a German-style porter. This kellerbier is brewed with a significant amount of dark malt, making it roasty and full bodied. Like the rest of the beers in our keller series, Heavy Trommel is left unfiltered.
- Peachtree Cherry Wheat : Our beloved hefeweizen brewed with generous amounts of cherries from the Crabtree's very own backyard and aged in Zinfandel barrels for over a year. Subtle fruit complexities, a dry finish and the essence of peach for an intricate mingling of flavors.
- The Strong Man : Big, buff, and burly Belgian Dark Strong Ale!
- Elbow Patches: Cinnamon + Vanilla : Elbow Patches: Roasty, Creamy, Chocolatey. An Oatmeal Stout to be enjoyed with breakfast, lunch, dinner, or anytime in between. The use of flaked oats creates a smooth, velvety base that sets the stage for pronounced aromas reminiscent of chocolate and coffee. The surprising lack of astringent bitterness rounds out this dark beer's wide appeal. 
- Commonwealth Man : Pils, Vienna, and Malted Corn pair with Magnum, Hersbrucker, Saphir, and Idaho 7 hops to produce a pleasant citrus (red grapefruit, candied orange) and tropical fruit (papaya) herbal hop character with a touch of piney dank backing up a lightly sweet and crackery malt character.
- Sonoma Pride Dauenhauer : Brewed and bottled to a moderate strength of 6% ABV, Dauenhauer is a copper colored well hopped domesticated wild ale (but not an IPA). Compared to its more delicate sister beer Amasa, Dauenhauer is darker and exhibits more hop character in both the aroma and flavor. It can be consumed now, or aged. The use of Brettanomyces yeast in the bottle conditioning process lends a rustic characteristic to the beer. If aged, many of the unique yeast qualities in the beer will become even more evident.
- Moa Breakfast : Moa Breakfast Beer is a blend of premium wheat malt, floral Nelson hops and cherries. A very refreshing and fruity lager specifically designed as a European-style breakfast beer but more commonly enjoyed as a mid-afternoon beverage here in New Zealand. Although not always.
- Dark Doppelbock : Dark Doppelbock pays tribute with an assortment of smooth toasted malt flavors brewed for a rich brown colored, full-flavored experience.
- Angel Of Darkness : Angel of Darkness is a barrel-aged American sour. This ale is blended with 1.5 pounds per gallon of boysenberries, blackberries, raspberries, and cherries and aged in Oloroso sherry casks. After 14 months of aging in these flavor-intense barrels, the beer is blended onto another 1.5 pound per gallon of these dark fruits in stainless steel tanks for 2 months. A total of 3 tons of fruit and 16 months of maturation later, we give you Angel of Darkness.
- Dark Horse : The Dark Horse is a bold West Coast IPA that features hearty additions of Vic Secret, Denali, and Crystal hops. We brewed this sleeper with a smooth blend of Premium American 2-Row, German Pilsner and Vienna Malts. Understated yet ambitious.
- Basil Farmhouse Ale : This is The Farm Brewery's signature Farmhouse Ale fermented with our own house yeast strain from right off the farm. It has s a light bodied beer with the refreshing aroma of basil and a touch of watermelon on the back of the palate. The fruitiness of the yeast makes this an exceptional choice for a great summer beer.
- Morningwood Breakfast Stout : Not just for breakfast anymore! Our Mornigwood Breakfast Stout combines sweet, rich, dark flavors of coffee, chocolate and cream with oatmeal. This dark beer has a tart “pop” at the end that makes it finish clean and make you crave another sip. Drink any and every time at 45 degrees with or without sediment.
- Scratch Beer 218 - 2015 (DIPA) : Without sway, there can be no balance. “This beer is all about the hop combo,” said John Trogner. “When we found it, we latched on to it and couldn’t let go.” Our Scratch #218 Double IPA gracefully boasts grapefruit rind, pineapple, and honeysuckle notes with a hint of earthy forest floor.
- Pike Organic Double Oatmeal Stout : Dark and incredibly smooth, yet fairly dry, Pike Organic Double Oatmeal stout is ready for you to cozy up with this winter. A nod to oatmeal stouts of yesteryear, Pike Organic Double Oatmeal stout is made with a hand selected blend of organic malts and oats, for a silky but firm mouthfeel of chocolate and roasted caramel and malt flavors. 
- Cascadian Dark Lager (CDL) : A unique twist on a northwest classic, our version uses our house lager yeast instead of a typical ale strain found in CDA’s. We combine Chocolate malts with roasted barley and add generous portions of Simcoe, Centennial, and Cascade hops for a dark lager experience that’s very smooth and not overly hoppy.
- Rotor Wash IRA : A hop-forward ale with lingering hop bitterness. Dark amber in color, full-bodied, hoppy India Red Ale with CTZ, Cascade, and Mosaic hops.
- Stillwater / Omnipollo Remix Project Babylonian Style Ale : Inspired by the artistry and assertiveness of Omnipollo's Nebuchadnezzar, I decided on a demure approach. Expressing the lovely hop profile of the original &tying it together with farmhouse yeast and Brettanomyces for a fruity, funky fiesta ;7
- Citrosity : Citrocity is a fun riff that we did on Citizen, by letting the primary fermentation temperature reach 85-90 F. With a fermentation temperature that high the Belgian yeast produced some amazing fruity esters that add to the overall complexity of this one-off brew. We then dry-hopped the beer with 3 different hop varieties prized for their aromatic qualities to create a unique hop-forward Belgian ale.
- Brunneis : Brunneis is our blended Oud Bruin. Blend #1 was matured in 5 different barrels that used to hold whiskies as well as zinfandel & fortified wines. It is deep brown in color with a touch of carbonation. Reminiscent of dark fruits & raisins it has a balance between acidity & maltiness that are enhanced by a slight smokiness on the nose.
- Midnight Brett : Midnight Brett is chocolate brown in color, brewed with 2-Row, Midnight wheat, raw wheat and rye malt. It was hopped with a blend of Perle, Glacier and Simcoe hops. The beer was fermented with our house strain of Brettanomyces in stainless tanks. The finished beer has the aroma and flavor of fresh berries, sour cherries and a slight roasted character. The finish is pleasantly tart and fruity making this beer very drinkable.
- Loud Mouth Pale Ale : It can be argued that nothing is quite as satisfying as a well balanced Pale Ale. With its rounded, toffee and caramel malts combined with satisfyingly bold and juicy hops, this pale ale achieves the perfect blend of classic English and progressive West Coast styles. Using only the best Pacific North West Hops and roasted malts to hit 56 IBU's, this is a LOUD MOUTH tribute to balance and complexity. Cheers!
- Sour Bitch : Spontanale with lychee fruit.
- Eugene : A striking, robust porter full of warmth and chocolate malt. Eugene is a robust porter named after Eugene V. Debs, an American union leader and activist who led the Pullman Railroad strike in 1894. An assortment of Belgian specialty malts form a complex structure of toasted grain and caramel flavors. Dark chocolate malt makes this porter black as night and infuses it with its distinct intense, chocolate essence.
- Purple Punch : A tart wheat ale brewed with blackberries, blueberries and boysenberries. This refreshing and tart fruit bomb has huge aromas of jam and purple grape.
- Beekeeper Honey Wheat : Beekeeper Honey Wheat exhibits the best characteristics of honey sweetness, floral nose, fruity flavors, a hint of clove, with a light body. Brewed with wildflower honey, Gizmo Brew Works’ honey wheat beer is a nod to the beekeeping profession. Due to popular demand, this once summer favorite is now available year round.
- Bob's Brown Ale : Arguably one of our most important and popular brews, Bob's Brown Ale is brewed once a year and released every May 14th (Bob's birthday). 100% of the proceeds from Bob's are donated in honor of Charles "Bob" Hirsch to the Ronald McDonald House Charities of Western Washington and Alaska to provide a "home away from home" for Children's Hospital patients and families. A big, chocolaty, hoppy brown brew, the only thing nutty about it are the brewers that make it.
- Hopslam Ale : Starting with six different hop varietals added to the brew kettle & culminating with a massive dry-hop addition of Simcoe hops, Bell's Hopslam Ale possesses the most complex hopping schedule in the Bell's repertoire. Selected specifically because of their aromatic qualities, these Pacific Northwest varieties contribute a pungent blend of grapefruit, stone fruit, and floral notes. A generous malt bill and a solid dollop of honey provide just enough body to keep the balance in check, resulting in a remarkably drinkable rendition of the Double India Pale Ale style.
- St. Dekkera Reserve: Sour Paw Paw : Belgian-style fruited lambic with indigenous, wild paw paws added and aged in an old oak barrel, non-inoculated with spontaneous fermentation in the barrel via a natural micro flora of lactobacillus, pediococcus & wild yeast/Brettanomyces in the wood.
- Upland / Cascade - Pearpawsterous : BBL aged fruited sour with Indiana Paw paws and Oregon pears
- Lee's Coconut Snowballs : Based on a recipe from Vanguard's assistant brewer, this American strong ale was made with a hefty grain bill to create a malt forward, copper colored beer with undertones of toasty caramel, toffee and dark fruit flavors. Locally grown Cascade and Willamette hops were used to balance out the malt sweetness. Finally, coconut toasted flakes were added during fermentation to fill out this winter warmer.
- Infinite Zest : This American pale ale exudes citrus from both hops and the addition of grapefruit zest to the brewing process.
- 1st Anniversary Wine Barrel Aged Wheatwine : What a year it has been! Our thanks go out to everyone who helped us get Bainbridge Island Brewing up and running, and to all our loyal fans, who made this such a great year. In celebration of our first year we brewed an enormous Wheatwine ale, then aged it in Cabernet Sauvignon barrels procured from our neighbor, Osprey Point Winery. The result is an eruption of fruit, red wine, perfumy hop aromas, smooth wheat, warming alcohol, oak and vanilla. At 11.5% ABV it'll age with the best of them, just as we intend to. A toast to the coming year, cheers!
- Chocolate Sombrero : Roasted dark malts plus extra chocolate malts plus ancho chile plus cinnamon plus organic vanilla extract plus a chocolate eating, beer drinking, Clown Shoes wearing, multi limbed, gorgeous and glorious Mexican wrestler on the label. That’s the recipe for a Chocolate Sombrero!
- X-Batch 14-001 : An experimental wheat beer brewed with coriander, star fruit and grapefruit. This unfiltered wheat beer is citrus strong in aroma and flavor, a perfectly refreshing combination and only 5% ABV. Available: Brewery Exclusive. Draft Only.
- Basic B : Basic B is an experimental Pumpkin Latte Stout brewed with vanilla, pumpkin pie spices, espresso beans, milk sugar, and real pumpkin. Big fragrant aromas of nutmeg, allspice, and dark chocolate rise from this medium bodied black ale. Rich flavors of brown sugar and bitter coffee lead into a creamy palate coating sweetness with a complex spiciness throughout.
- Nelson IPL : There are a few hops out there that brewers everywhere are constantly in pursuit of, and Nelson Sauvin is one of of them. We wanted to brew something that would convey our excitement about this hop, and out of that desire, our Nelson IPL was born. By using a lighter malt base, a blend of pilsner and 2-row, and a squeaky clean German Lager yeast, this allows Nelson to show off, and rightfully so. Exploding with white wine fruitiness and gooseberry, we recruited the assistance of Wakatu and Dr. Rudi to balance the hop profile. This beer is a spotlight on New Zealand and we hope you grow just as fond of the Southern Hemisphere as we have.
- Weisse The Juice : A light and refreshing kettle sour we rested on 170 lbs of apricot puree. Look for fresh apricot and hints of lemon in the nose and a bright acidity and clean yet reserved stone fruit sweetness on the palette.
- Hunky Dory Pale Ale : A bright, crisp and refreshing pale ale reminiscent of a South Shore summer’s day. Made with citrus zest and green tea to complement a floral and fruity hop blend. Hunky Dory is a favourite among discerning women and confident men.
- Killer White IPA : Killer White IPA is a fragrant and bitter wheat ale. This slightly cloudy IPA is kettle-hopped with Centennial and Ahtanum for a bitter, hoppy edge. It’s dry-hopped with Galaxy to create aromas of passion-fruit; fermenting with a hefe yeast imparts traditional banana and clove notes. The flavour is fresh and citrusy, the mouthfeel smooth and lively. This white has some bite to it!
- Peacharillo : Peach sour ale dry hopped with Amarillo hops to really reinforce the peach and stone fruit characteristics. A great blend of dewy peach flavor and big, tangerine-meets-apricot hop aromatics.
- Pistols At Dawn : High noon will have to take a backseat as the fresh morning air is perfect for a duel. We present our stout brewed with roasted malts, oats, lactose, and locally produced chocolate and coffee. A rich, dark velvety beer with a fine oatmeal flavor.
- B-72 : Our B-72 Double IPA is coming at you to drop a hop bomb on your taste buds! Brewed with copious amounts of Australian and American hop varieties this brew packs a punch with its juicy citrus flavor and tropical fruit aroma.
- Risen : A collaboration with Surly Brewing Company: Risen (8.4% ABV; 50 IBU) a coffee and oak, double brown ale. This lavish brown ale was brewed with over 100 pounds of locally roasted coffee and was rested on oak for a toasted finish with extra complexity.
- Oatmeal Stout : It's a bold, smooth-bodied concoction that oozes dark-roasted coffee aromas and flavors of espresso and semi-sweet chocolate. We round out these heady pleasures with a dose of flaked oatmeal for a creamy body and a semi-dry finish. Unforgettable.
- Beechwood Bitter : The brewery flagship, a hearty and well-rounded beer. Mid amber colour with a rich butter-toffee aroma. Fruity and slightly nutty
- Gin & Juice : Brewed with high quality European malts, soured and slowly fermented, this golden ale was then aged in Old Tom gin barrels from Ransom Spirits for 16 months with a variety of wild yeasts and bacteria. Upon blending, we added 120 pounds of locally grown Kiwis as a final layer of complexity.
- Flatirons Vista Wit : A light, crisp Witbier brewed with White Nectarines, inspired by fruit discovered on the Flatirons Vista Trail in Boulder.
- Winter Wheat : Don’t be fooled by it’s darker color! This mahogany-colored beer is a moderately dark, spicy, fruity, malty, refreshing wheat-based ale, perfect for these fall and winter months. Per German Purity Law, at least 50% of the grist must be malted wheat and this is no exception. Enjoy this version of the old-fashioned Bavarian wheat beer that was often dark.
- Redhook Mudslinger Brown Ale : Mudslinger is a Nut Brown Ale with a Medium body and a fresh aroma. Its malty flavor is layered with light chocolate, caramel, brown sugar and a hint of vanilla. Six barley malts and two hop varieties result in a surprisingly smooth, well balanced dark beer.
- India Pale Ale : For all hop heads. This beer has a fruity hop presence in the aroma. The body provides a clean malt background for the hops, and has a complex hoppy finish!
- 22nd Anniversary Anni-Matter Double IPA : Stone Brewing has spent over 20 years pursuing clean, bitter, hop forward beers. It would be passé to suggest this beer is simply another gigantically juicy and extremely complex Stone Double IPA. It’s a middle finger to the haze craze proving that clean, crisp IPA’s can still be smashed full of big, juicy, tropical flavor. It’s also the winner of our 2018 Spotlight Series contest, which pits teams of brewers against each other to see who can brew the best beer. Citrus takes the forefront, with plenty of fruit character to back it up. With incredible mouthfeel from the malted oats, the beer isn’t sweet at all, but its light amber color would make you think it is sweeter than it tastes.
- Winter Vanilla Porter : A full-bodied porter with subtle vanilla flavors and aromas, with a subtle roasted, dark chocolate finish.
- Red Rye Returning : A traditional Irish red with a twist! This brew is dark red with a thick white head. The flavor is malty at first and finishes with a slight roast and delicate spiciness from the rye.
- Eden : If ever there was a paradise on earth it must have been around the spice markets of the Fertile Crescent. Imagine if you will wandering balmy streets bathed in gold light while myriad pungent aromatics spin around you on warm breezes floating from groves of fruit and nut trees. Eden is a simple table friendly golden saison coaxed in the pepper heavy woody spice box direction of grains of paradise with heady wafts of jasmine lying atop. Drink Eden and cradle civilization.
- Warm River Wit : Intentionally cloudy beer fermented with Wyeast Forbidden Fruit strain which gives the beer most of it's character. The coriander and bitter orange peel also add to the tart, bubblegum flavors the yeast imparts. Easy drinking and flavorful brew! Any wheat, Blue Moon, Belgian, saison beer lovers will enjoy this!
- Wild Sour Series: Here Gose Nothin' : Our Leipzig-Style Gose undergoes a spontaneous fermentation, similar to Belgian-style Gueuze/Lambic beers, and exhibits a complexity of acidic flavor and aroma contributed by wild yeast lactic fermentation. Lemon, lime and other citrus-like qualities are present in aroma and on the palate, which is balanced by the spicy character of added coriander and a mineral-mouthfeel from added sea salt. 
- Green Flash Ristretto Cosmic Black Lager : “Ristretto Cosmic Black Lager” as the third iteration in a continuing series of Genius Lab inventions. We’ve taken various aspects from some our favorite beer styles to create a big, bold, black lager worthy of the Green Flash name. The malt bill boasts of chocolate and roast malts that provide a black color with dark brown hues. A healthy charge of Northern Brewer is added up front for a clean bitter that is later accompanied by Belgian candy sugar and lactose for complex balance. The lactose and Belgian candy sugar together add a creamy texture and subtle sweetness to the roast and chocolate flavors. Lagering after cold fermentation lends an overall fine character and smoothness to the brew. Finishing off the brew we blend in cold pressed espresso, bold enough to be tagged Ristretto (a concentrated shot of espresso) taking the brew to yet another dimension. 
- Clausthaler Dry Hopped : This Clausthaler is the world's first dry hopped malt beverage in its category. Brewed by the German pioneer of non-alcoholic malt beverages, Clausthaler Dry-Hopped is full-bodied, amber-colored and has hints of malty caramel. By dry-hopping with Cascade hops, we crown its body with crisp citrus notes. Finally, we keep our brew unfiltered to allow its rich flavor to unfold with every sip. The result: a dark golden masterpiece full of character.
- Melkshake : Take some Saftig, layer in some grapefruit zest, vanilla and lactose and ease into Spring with a luscious, Norski milkshake IPA.
- Obsius : Obsius is a weizenstout, a wheat dominated stout brewed with our weiss yeast. Obsius is a rich and creamy beer with lots of roast and finishing with the bittering from the dark malts, not the hops.
- Heavy Boots Of Lead : Super complex richness of mega-chocolate, roast, vanilla and coffee in an astonishly smooth monster of a brew.
- Nickel Brook Old Kentucky Bastard (Bourbon Barrel Aged Bolshevik Bastard) : Our Bolshevik Bastard kicked up a notch. We age Bolshevik in Kentucky bourbon barrels for over a year. The rich chocolate, coffee and dark fruit flavours from our imperial stout are married together with the vanilla, oak and warming alcohol from bourbon barrels. 
- Brown Eyed Squirrel : A traditional English-style brown ale, but with more body. Its deep brown color comes from a combination of Chocolate and Black malts. Tall, dark and smooth – the perfect cure for the domestic beer blahs.
- Das Razz : Raspberries full on sweet fruit tending towards a balanced tart finish.
- Reprieve : This black beer is a Bohemian Pilsner gone dark. German malts, noble hops, and lager yeast combine for our take on this traditional beer style. 28.1 IBU
- Foxx Rougge : Dark Strong Ale - Stronger and dryer than a dubbel, not quite as strong as a quadrupel, this deep amber ale is bold and complex with notes of caramel, fig, raisin, date, and plum. 8.5% abv - 28 IBUs
- Golden Orchard : Golden Orchard is a Belgian-style golden ale that was fermented with both our house yeast as well as a strain of brettanomyces. After months of bottle conditioning, the yeast lent delightful flavors of fresh cut Gala apples to the beer and inspired its name. Bright, fruity and effervescent, like a bottle of golden California sunshine.
- Tender Hip : NY craft malt: Munich; Valley Malt; Chocolate Rye. Chocolate, roasted barley, roasted oats; Briess malting: Chocolate, dark chocolate, caramel 120
- Fire Chief's Red Ale : A deep tawny reddish hued Irish-inspired ale with a lingering nut-like maltiness. Very lightly hopped with a pleasant estery fruitiness expiring to wonderfully smooth finish. Slainte!
- Devil's Teeth - Jamaican Rum Barrel-Aged: Turkish Coffee Edition : Devil's Teeth is a hybrid of an Old Ale and an imperial stout, two English beer styles designed to withstand long voyages and dark winters. It brings rich maltiness and robust roastiness in a thick, tongue-coating, aggressively flavorful package. We aged this batch of Devil's Teeth in Jamaican rum barrels and loaded it up with cardamom, coffee, and vanilla, resulting in a captivating bouquet of oak, dark fruit, coffee, and spices that wraps the palate in a warm, hearty embrace and fills the heart with pure joy.
- Old Horizontal : Massive amounts of barley malts, combined with fresh harvest American hops make it aromatic and spicy on the nose. Floral, fruity aromas slide into honeyed malt depth with lingering sensations of candied and citrus fruit. Late warming alcohol brings all of these flavors into wonderful harmony to finish.
- Storm King Stout : Emerging from the deepest shades of darkness, a rolling crescendo of flavors burst forth from this robust stout. The thundering, hoppy appeal of Storm King subsides into the mellow subtleties of roasted malt, exhibiting an espresso-like depth of character in its finish. An exquisite blend of imported malts and whole flower American hops merge harmoniously in this complex ale. Discover the dark intrigue of Storm King, as it reveals the rich, substantial flavors that it holds within.
- India Pale Ale : If you like hop aroma, flavor, and a clean – crisp – balanced bitterness, you will love this beer. Our special double dry hopping regime takes place in the aging tank as well as the serving tank. Simcoe and Amarillo hops render incredible floral and citrus aromas. Special English floor malted barley provides the backbone necessary to round out this fruity, unfiltered, session-like IPA.
- Elaborative #3 : Brewed March 2014 with our friend Brad Clark of Jackie O’s Pub & Brewery, we crafted this imperial stout with Rapadura, a traditional unrefined cane sugar, then aged it for 20 months in a variety of bourbon barrels. A carefully selected blend of barrels results in a unique, luxurious and complex beer, one that represents the deep, abiding friendship that guided its creation. Best served between 50 and 55 F.
- Heine's Big Bro : Louisville roasted Heine Bros. Espresso was hot extracted pre-fermentation, and Mary Catherine’s Blend was cold extracted and added post-fermentation to give this beer an aggressive bitterness as well as a delicate yet pronounced coffee flavor and aroma. This imperial stout was started with a massive amount of high quality Marris Otter malt and an array of specialties including Oats, Roasted Barley, and very dark caramel Munich. Hefty additions of British hops early in the boil make for a powerful bitterness to balance the high malt sweetness.
- Amarillo Hero : Amarillo-Hero showcases the hop's intense citrus and floral notes. A simple, delicate malt bill allows the fruit basket of aromas to take center stage while a touch of Cascade and Citra layered in amplify this Hero’s juicy characteristics.
- Brother David's Triple Abbey Style Ale : Similar to Belgian-style Strong Pales, the Tripel is often characterized by its lighter color, spicy aromatics, and complexity. Brother David’s Triple is brewed with copious amounts of pale malts as well as Belgian candi sugar, giving it a deep golden hue, medium body and rich mouth feel. The dense head gives off aromas of candied orange peel, clover honey, pears, and a hint of freshly mown fields. The fruity esters and spicy hop flavors balance the phenolic characteristics leading to a peppery, citrusy finish.
- Holly Leaf Somewhereness : The first beer released in our series of parking lot fermentation explorations with our buddies from Monkish. This saison features cultures from both breweries and was fermented in neutral oak barrels in our parking lot in Highland Park. We added about 1 lb per gallon of the locally discovered and native fruit called Holly Leaf Cherry. This fruit has a wonderfully thick and tannic skin that lends incredible flavors of cherry, leather, and plum. In addition to the fruit qualities the base beer has great integrated flavors of lemon, grapefruit, and musty wood.
- Palomar Diablo : It has the smokey pepper and lime character of the regular Palomar but punched up in a darker malt base and pure chocolate extract added to it. To finish it off, we Nitrogen charge this beer to add to the creaminess and to take the edge of the otherwise overwhelming combination of flavours in there. Lime, chipotle and chocolate – now that’s a real Mexican flavour combo that will just make you happy in March in Ottawa when you’ve just about had it with winter!
- Barrel #119 : Our understanding is that this elusive barrel-aged brew will be tapped on Friday night during Session 1. Having aged for a year, this dark Belgian sour ale is one we’ve been eagerly waiting to release. Deep red in colour with a complex mix of tart, dry, and vinous qualities, the sourness is mostly lactic with just the faintest touch of acetic. Beautiful notes of field berry and soft caramel malts in the background provide the perfect foundation for complimentary brett character.
- Speedway Stout : Jet Black, with an off-white head. Starts with a strong coffee and dark chocolate sensation, then fades to a multitude of toasty, roasty and caramel malt flavors. Clean and crisp, full- bodied. Warmth from the high alcohol content lightens up the feel. You won't fool your taste buds - this beer is HUGE!
- Lake George's IPA (Wave #03) : Wave #03 is exploding with hops! We hopped this beer so heavily with Eureka! and Crystal, that it came off the tank with a green hue. Reminiscent of the dank Pineapple and Grapefruit IPAs of our neighbors to the East, Wave #03 is both new and old school in its approach.
- dHop 7 : dHop7 is a blend of FIVE different hops that showcases Vic Secret, a first for the series. This flavor profile exudes guava, papaya and lime with faint notes of pine. It pours an opaque yellow with a nose reminiscent of tropical fruits and citrus. The taste is dank and tropical with an assertive hop bitterness.
- Introvert : Opinionated and hopped-up, Introvert can easily be misunderstood for having a strong personality. But this artistically complex IPA seeks balance and creative harmony with low ABV and a relaxed pace. Explore Your Introvert, gather your closest friends and explore the possibilities. Hop aromas of tropical papaya and kiwi with woodsy pine, balanced by honey malt and a clean bitter finish.
- 19 Days : A strong, golden lager with a caramel apple nose and low hop aroma. 19 Days gives you a nice hop bite in the front and it ends with a bready, but then candied, fruit finish via the significant presence of Munich Malts.
- Sea Dog Pale Ale : An English-style classic pale ale brewed with all English grains including pale and crystal malts, the latter of which gives the beer a nice coppery hue and nutty flavor undertones. This pale ale is crafted with 4 different varieties of hops to give the beer a complex but well balanced hop character, finishing with a delightful but subtle Cascade hop nose.
- Baller Stout : Three Floyds’ 15th Anniversary beer. A blend of Dark Lord, Surly Darkness, De Struise Black Albert, and Mikkeller Beer Geek Brunch.
- Éphémère (Strawberry / Rhubarb : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2000 and has since been celebrated on a variety of seasonal fruit ales featuring apple must, cranberry, blackcurrant, peach, raspberry, cherry, pear, blueberry and Elderberry flavors. In 2018, the brewery offers fans a newcomer to the Éphémère range of beers: Strawberry & rhubarb flavor.As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2000 and has since been celebrated on a variety of seasonal fruit ales featuring apple must, cranberry, blackcurrant, peach, raspberry, cherry, pear, blueberry and Elderberry flavors. In 2018, the brewery offers fans a newcomer to the Éphémère range of beers: Strawberry & rhubarb flavor.
- Immutable Dusk : This Cascadian Immutable Dusk-style ale is as unwavering in its dark and beguiling flavor as it’s namesake. Enjoy this black IPA brewed with our friends in the band PELICAN.
- The Flor : A new release from our Lambic inspired series, this beer was fermented and extensively aged in 65% oak Sherry and 35% oak Brandy barrels. Big nutty Sherry notes with a subdued oxidative sweetness, medium acidity, and a complex Brett character.
- Left Field Resin Bag IPA : Full of sticky resinous hops, our American style IPA was inspired by the pitcher’s rosin bag. This brew is double-dry-hopped with Citra, Cascade, Amarillo and Centennial, giving it a whack of zesty tangerine and bright orange aromas. Catch the taste of tropical fruits with a moderately bitter dry finish.
- Citra Pale : Citra is one of the most beloved hops, and doesn’t need a supporting cast of characters. This makes it a perfect fit for the single hop treatment. We left it alone with a clean yeast, pale malt, and lots of oat for body. Loaded with tropical fruit, lime and grapefruit notes, but refreshing as they come with a bright, clean finish. This is your hoppy session beer of choice this weekend.
- Kramah India Pale Ale : Kramah, shows off its hops muscles. We used an insane dose of highly fruity, aromatic hops, which gives the beer a strong aroma of mango, lychee, citruses and a bunch of other tropical fruits. The taste continues along this manner, then the elder components reveal themselves and continue into a bitterness that reminds one of biting into a fresh, juicy grapefruit. A very simple, yet effective combination of malts provides enough support so the bitterness does not rip out your tongue.
- Scaled Way Up : Scaled Way Up features heavy doses of Galaxy, Mosaic, and Nelson Sauvin in multiple dry hops. Straddling the aromatic line between dank/earthy and sweet/fruity. The flavor profile is jammy and fruit forward, consisting of candied peach and orange notes, and has powerful, sticky resin on the palate. Light in body with a bold bitterness upfront and crisp, bone-dry finish, Scaled Way Up is explosively aromatic.
- Pourison : Our oak fermented Saison conditioned atop heavy amounts of fresh Pennsylvania peaches grown by our pals at @3springsfruit for many months.
- Unholy : Brewed with a profane amount of flaked oats and barley, the malty and nutty body is matched to a heady blend of chocolate, vanilla, and other aromas. Unholy offers sinfully wicked flavors of sweet chocolate, coffee and caramel derived in part from the use of lactose sugar. Drink this untamed beer with restraint.
- ManBearPig : Curt came up with this crazy idea over 5 years ago and now, 3 years in the making, is finally ready for your enjoyment. He first started by seeking out the finest local honey and maple syrup and aged it in freshly emptied bourbon barrels for over a year. Then he brewed the biggest beer we've ever made, a robust imperial stout with house applewood and hickory smoked Munich malt, and aged it in the barrels that previously held bourbon, maple syrup and honey. The result is a truly complex work of liquid art designed to be savored.
- The Final Straw : The Final Straw is a light fruity beer that combines the tartness of rosehips with subtle hops to keep you coming back for more. The golden-red hue hints at the incredible number of strawberries that bravely sacrificed their lives in the struggle to create the most sessionable patio beer known to human-kind.
- Wapiti Amber Ale : This is our flagship ale and is pronounced wop-eh-tee. The label for this beer is adorned with the majestic Wapiti (aka elk). Wapiti are abundant in northern Arizona. They are large and beautiful creatures, which is why we chose this animal to represent this beer. Wapiti Amber Ale is hand crafted with mountain pure water, two row malted barley, yeast and Yakima Valley hops. Our brewers use traditional methods to create this full-bodied amber ale with a distinct hoppy aroma. Wapiti Amber Ale should be enjoyed cool, not cold, to best experience the complex character and flowery aroma.
- Barefoot Bohemian Pilsner Lager : Bohemians are creative dreamers who defy convention. Our Bohemian Pilsner is just that, an unorthodox lager with complex biscuity malt, soft rounded bitnerness and a twist of spice from the noble Saaz and Hallertau hops. This crisp and adventurous drop is perfect for a chilled out summer session…bliss.
- Forcefield IPA (2016) : Hazy golden, juicy VT-style double IPA brewed with tons of Citra and Jarrylo. Waves of fruity hop goodness with pronounced notes of passionfruit, melon, citrus, strawberry, and finishing on pear. First wort hopped, hop bursted, hop standed, and dry hopped twice. This beer has the same base as Tesseract — but slightly stronger and with a different hop blend.
- Nobody Loves Me : Jam packed with citrus, melon, and tropical fruit notes. A simple grain bill of our favorite English malt and Flaked Wheat allows the hops to shine through with full force. Hopped with Citra, El Dorado, Melba, and Blanc.
- Moondance : Any night will be a marvelous night for our newest brew, Moondance. This Belgian Inspired Imperial Stout brewed with Spices comes in at a whopping 10.6% ABV. It's smooth and creamy texture ensures it goes down nice and easy Moondance is chock-full of dark fruit, chocolate, deep caramel and roast flavors accented with subtle notes of cinnamon, nutmeg, and spice. The complex fruity esters pair perfectly with its spicy aromatics. The incredibly flavorful monster stout will call to your heartstrings and ensure a truly magical night.
- Anchorage / Jolly Pumpkin Calabaza Boreal : Ale fermented in oak tanks with fresh grapefruit peel, peppercorns, and fresh grapefruit juice.
- Hero Pale Ale : A nice refreshing Pale Ale. Single hopping with Amarillo gives this beer a grapefruit & tangerine aroma & flavor.
- Single Wide-Tank 7 Yeast-Sorachi Ace IPA : Single Wide IPA fermented with Tank 7 yeast and dry hopped with Sorachi Ace Hops. Unique IPA bone dry, with a zesty aroma containing hints of fruit, mint and lemon with a long bitter finish.
- Avancé : Avancé is a strong, sour ale with aromas of strawberry preserves and toasted oak. Berries and more oak continue in the flavor, which concludes with a warm, sweet finish. The beer is brewed with multiple sugars including molasses, date sugar, white cane sugar, and dark rock candi. It’s then fermented with three different yeast strains and aged in oak bourbon barrels for a year with Lactobacillus and Pediococcus. After transferring the beer to stainless we add one pound per gallon of fresh, locally picked strawberries and age it for another six months.
- Cernunnos : Scotch Ales, not to be confused with the smaller “Scottish Ales”, are rich and intensely malty. Ours is full bodied and sweet, yet has a smooth clean finish from a cooler fermentation temperature than most of our ales. An extra long boil and kettle carmelization yields a darker color, a deeper malt intricacy and roasted character.
- Jester King / Tired Hands - Cloudfeeder : Cloudfeeder was brewed on March 21, 2016 at Jester King with Hill Country well water, malted barely, malted spelt, oats and hops. It was fermented with our mixed culture of brewers yeast and native yeast and bacteria harvested from the land and air around our brewery. It was then refermented with Pennsylvania honey and zest and juice from Texas limes and grapefruits, and dry hopped with Nelson Sauvin and Simcoe hops. It was packaged on April 11, 2016 and 100% naturally conditioned in bottles, kegs, and casks. At the time of packaging, the beer was 3.8% alcohol by volume, 4.2 pH, 51 IBU, and had a gravity of 1.001 (0.25 degrees Plato).
- Three Of A Kind : To celebrate our third anniversary, we created this triple triad DIPA. We added 3 kinds of hops, 3 kinds of malt, and 3 kinds of syrup to create this fruit-forward libation. Notes of peach, apricot, and passionfruit balance the malt character and embrace the sweet honey, agave nectar, and maguey syrup added. Here’s to the last three incredible years and to many more to come!
- Dahntahn Brahn : Our American Brown Ale with a hint of cherrywood-smoked malt in honor of our fair city's industrial heritage. We selected 8 different malts (and a bit of rye) to create a well-balanced, yet complex brown ale for any occasion.
- Black Angus : Our Belgian Royal Stout, brewed with two yeasts. One German Ale Yeast, and a Belgian strong ale yeast. Dark, rich and sublime.
- Hibernation IPA : Our best selling beer! It has a nice grapefruit aroma from the combination of hops used and balances the bitterness of hops with a nice malt profile with toasted crystal malts to give it depth and smoothness. If you are looking for balance and flavor, you should put this one on your short list.
- Tributary Saison : "A farmhouse style golden colored ale brewed with special Belgian yeasts. The phenolic character of these yeasts brings out a peppery content along with some fruit components to balance the medium body. A big gnarly sippin' ale.
- Peanut Butter Bandit : This "Stout" style beer tastes like the dark chocolate version of peanut butter cup candy.
- Queen Of The Mist (Mango) : The Salty Lady spends a few months in wine-barrels with various fruits. The result is an amazingly complex, tart, salty, fruity, and refreshing treat. What comes out of the barrel is a little more refined and adventurous and is known as The Queen of the Mist. This occasional brew will only be release a few times per year in a very limited batch.We’ll use a different fruit each time we make it.
- The Famous Flying Zacchinis : This is a Dark Farmhouse ale that was fermented 100% in the foeder before being aged in Apple Brandy barrels with wild yeast for a year, prior to being conditioned in the bottle on Brettanomyces.
- Doppelbock : Standing at 7.5% ABV, this full-bodied lager was designed for the colder days and a cozy fireplace. This beer required three batches of grain to achieve its hardy and complex flavors. It was an adventure to brew, and we enjoy sharing it with friends.
- Pulling Nails Blend #1 : Pulling Nails is an ongoing experiment in the art of blending to create sour and wild ales of extraordinary depth, complexity and balance. Blend #1 is the union of four different beers that were fermented in and aged in wine barrels for six months to two years.
- Zombier : Zombier is a Fyne Ales collaboration brew with home brewers Jake Griffin and Chris Lewis, prize winners at the 2012 IBD Scottish home brewing competition. The beer has an incredibly complex malt bill; the most complex Fyne Ales have ever used, making it very dark but surprisingly smooth.
- Nightmare On Brett W/ Blueberries : Dark sour ale aged in Leopold Bros whiskey barrels with blueberries
- French India Farmhouse Ale (FIFA) : FIFA, aka French India Farmhouse Ale, is a Farmhouse style IPA brewed specifically for our hometown football club, Bellingham United. This juicy beer initially greets your nose with a spicy array that is blended nicely with pine needles and citrus peels. The palate consists of a heavy dose of white grapefruit, lending a very fun and approachable bitterness. As it washes down, you are left with a nice clean/dry finish that is soft and mellow. This is due to a healthy dose of wheat malt and the artistry behind the use of our unique organic hops.
- Portsmouth Witt2 : This is a double wit that’s a little less fruity & a lot bigger in flavor than our regular Wit.
- Ekuanot : New beginnings require previous actions. In the past few years, since we started brewing Equinox the hop has had an official name change. Now called Ekuanot, we thought it would be appropriate (and confusing in a classic Kent Falls way) to take the same hop and apply it in a new manner. The green pepper and tropical fruit character of Ekuanot brings a complexity to the dry lemony base beer for a remarkably refreshing and contemplative beer.
- Made You Look : Pours hazy yellow with white head. Green papaya piney aromas with juicy fruit taste and a clean bright finish. Brewed with Marris Otter and Wheat. Fermented with American Ale yeast, hopped with Chinook, Centennial and dry hopped with Centennial and Citra and Citra again. We’re talking about a tremendous amount of hops here. Biggly crushable.
- 3-Way IPA (2015 w/ pFriem/Georgetown) : From the moment you pop the can, hop aroma hits you right in the nose. Fruit forward, with a crescendo of tropical and citrus flavors – 3-Way IPA presents an ensemble of Simcoe, Meridian, Citra, and Equinox hops. Enjoy a lustrous and lively play across the palate.
- Captain T-Bag : Dry Hopped with Earl Gray tea, the bergamot and lemon of tea accentuate the coriander and citrus fruit of the Belgian yeast. 
- Dragonmead Dragon Daze Hemp Ale : Dragonmead's Hemp ale has a great deal of malt character, in part, from the Chocolate Malt used in the brew. The Cascade hops give this beer a clean hop finish, but it's the roasted hemp seed that makes the flavor remarkable. Slightly roasty and nutty, Dragon Daze's complexity is sure to amuse.
- Oatmeal Stout : A full bodied opaque black ale with flavors chocolate and roast. Premium pale malt from the Pacific Northwest provides the base while various dark malts and crystal malts combine with the rolled oats to give a luscious velvet mouthfeel. U.S. Perle hops are used. Nitrogenated.
- Trippel : Our Trippel has always been a big, beautiful Belgian-style ale, but in 2015, we tweaked the recipe to include a new yeast variety and even more complex malt profile. This golden beer opens with a bold blast of spicy Noble hops, courtesy of Saaz and Hallertau Mittlefruh, and gives way to the fruity aromas offered by our traditional Belgian yeast. Brewed with Pilsner and Munich malts, Trippel is classically smooth and complex, and sings with a high-note of sweet citrus before a pleasantly dry finish delivers a warm, strong boozy bite. Give Trippel a sip to get you smiling.
- Portage Porter : A dark chocolate colored ale with a blend of toasty malt flavors and a dark caramel, this is a malt lovers paradise. Portage Porter's rich flavor can allow you a glimpse into the history of how beer used to taste back in the 1800s.
- Saint Arnold Amber Ale : Saint Arnold Amber Ale is the brewery's flagship product and first official brew. A well balanced, full flavored, amber ale, it has a rich, malty body with a pleasant caramel character derived from a specialty Caravienne malt. A complex hop aroma, with a hint of floral and citrus comes from a combination of Cascades and Liberty hops. It has a rich, creamy head with a fine lace. The light fruitiness, characteristic of ales, is derived from a proprietary yeast strain.
- Shelter Pale Ale : Brewed with a premium barley and northwestern Williamette and Columbus hops, Shelter Pale Ale has a fine malt backbone and a slightly nutty flavor. It's a versatile and quaffable beer.
- Riding With The Ghost : Riding With The Ghost is a Pilsner IPA brewed with Pilsner malts and Oats. Hopped in the kettle with Loral and heaps of Columbus. Dry hopped aggressively with Amarillo and Citra. Notes of Grapefruit Pith, Dank Green Leaves, Spicy Mango and Sticky Pine needles.
- Flora (Warm Weather Release) : Flora is our hop-forward brand, we aim to elevate the tropical flavors of American hops by combining them with wild yeast, fruit and natural sugars. Flora is our ode to oasis, a celebration of refuge, and a symbol for growth.
- Jamaica Bay IPA : A slightly hazy golden IPA that features German pilsner malt and American raw wheat as a light base for a bright fruit bomb of New Zealand Nelson Sauvin and Motueka hops, as well as American implant Sorachi Ace. Soft fruity yeast character and easy on the bitterness, with hop highlights of lime, pineapple, honeydew, dill, and coconut.
- Imperial Java Stout : This is the kind of beer that gives the word "stout" a reputation. Extra generous quantities of barley malt, followed by vigorous fermentation leaves this "imperial" heavy weight with 8% alcohol A.B.V. and a body as full as chocolate bread pudding. A complimentary and complex array of bitter notes comes form potent American hops, earthy British hops, black-roasted malts and, of course, coffee. Santa Fe Brewing Company uses only top-quality ingredients like organically grown East Timor coffee beans blended with New Guinea coffee beans, locally roasted by O'hori's Coffee House. Its heavenly flavor and aroma can't be beat or imitated.
- Reason Be Damned : A sour ale with 2 lbs. of Stone Farms Passion Fruit per Barrel. There is lots of red and rosé wine flavor here, as well as plenty of oak. Some acetic sharpness and lactic acid sourness in the flavor and on the nose. Tropical fruit flavors from the Passion Fruit, and a distinct guava and berry note from the two types of wine barrels make for a distinctive, intensely fruity beer.
- Thrilla In Brazilla : Thrilla in Brazilla is gold in color with a tight white head of foam. The fruity-ester aroma is high to very high. Hop aroma is further characterized by high amounts of citrus with a slightly resinous character in the background. The aroma follows through to the taste with citrusy characters dancing on the palette, including the presence of fresh oranges. Thrilla is a medium bodied beer with medium high hop bitterness. As always, this beer is balanced.
- Third Dimension Ale : Rich espresso tone in the glass with notes of dark espresso, bitter chocolate, and whiskey from the aging barrels. Effervescent carbonation keeps the beer refreshing before moving to a long, bitter finish.
- 2cabeças / Stillwater Artisanal Ales Caramba! Saison : 2cabeças and Stillwater together? Caramba! The result is a refreshing Farmhouse Ale with a touch of starfruit.
- Hop Project #62 : For this one we used all American west-coast style varieties - Cascade, Columbus, Centennial, Chinook, Northern Brewer, and Nugget. The result - a burst of grapefruit, long chewy bitterness, and a woody, slightly minty finish.
- Left Field Sunlight Park Saison : This beer was created in honour of Toronto’s first professional baseball stadium. Built in 1886 in the East Toronto neighbourhood now known as Riverside, the all-wooden structure sat 2,250 fans and later became home to the city’s first International League championship. This tart and refreshing session saison is brewed using a generous amount of malted wheat and honey malt and the zest of 100 organic grapefruits in every batch.
- Dantalion Dark Wild Ale : Dark Wild Beer with brettanomyces and lactobacillus aged over 1 year in red wine American white oak barrels.
- ENormaGene : Our Hugene, an Imperial Porter, aged in bourbon barrels for 20 months. This complex beer has an initial caramel flavor & sweetness upfront that slowly melts away right before the tidal wave of chocolate malt character. (12% ABV // 60 IBU)
- Salt Spring Golden Ale : Made with the very finest Canadian two row barley and hops from Salt Spring Island and the Pacific Northwest, this ale boasts a nutty flavour, citrus notes and beautiful golden colour. This brew was awarded a gold medal (best cream ale) at the 2004 Canadian Brewing Awards.
- Upper Peninsula : Upper Peninsula is a 6.5% IPA Double Dry Hopped with Mackinac hops. Mackinac is a newer hop that is grown in the upper peninsula of Michigan. We are impressed with the tropical and fruit forward characteristics of this hop.
- Barrel Aged Grand Cru : Belgian specialty dark aged in a red wine barrel.
- Chump Change : An Imperial Black Saison. Brewed with highly kilned and roasted malts, this beer is black in color. The moderate roast flavor and slight to non-existent hop presence accent the beer’s fruity and spicy characteristics, akin to those of a traditional saison.
- Scratchin' Hippo : Named to commemorate a night when the Naivasha House in Kenya was shaking so strongly Del thought it was an earthquake. It turned out to be a hippo from lake Naivasha scratching itself against the house. Scratchin’ Hippo is a complex malty beer low bitterness, with an earthy character approximately 6.8% ABV. Goes well with hearty rich foods like steak, roasts or beef stew.
- Dunkel John's Band : Our rendition of a rare German-style beer known as a Dunkel Weizen (meaning Dark Wheat). The slight sour taste from the yeast left in suspension is offset by the roasted hint of darker grains.
- Tripel B : This complex, straw-colored ale has clove and pear aromas. A marriage of spicy and fruity flavors help perfectly balance its elegant malt profile. Pair with rich foods like steaks, roasts, earthy cheeses, and cheese cake.
- 100% Brett IPA : We took about 10 bbls of hot Pale Ale wort, hopped it with lots of Amarillo, whirlpooled it again, and knocked it out into a fermenter waiting with a special Belgian wild yeast, Brettanomyces Drie. Brettanomyces is a wild cousin of normal Saccharomyces ceravisiae, brewers yeast, and is found growing wild on fruit skins in the lambic region of Belgium.
- Box-o-Barleywine : Box-O-Barleywine is a beautiful, golden elixir that screams you’ve got class and style. Sweet malts and honey create a decadent canvas for its luscious array of New World flavors. Exotic hops from New Zealand like Rakau, Wakatu, and Nelson Sauvin enchantingly entice you to savor its apricot, plum, zested lime, and crisp white wine flavors. Fermented with Riesling wine yeast, the fruity and floral esters will give you an added air of sophistication. Finished on French oak, the bittersweet complexity of this beer requires no corkscrew or bottle opener to enjoy, befitting of a Box-O-Barleywine.
- Double Shot - Dark Chocolate : Here we have one of the more subtle additions to the special Double Shot line-up. Dark chocolate is subtle on the nose but presents in the flavor with an intense and bitter finish that has notes of cherry, cacao, and dutch process cocoa powder. A real treat, and one we recommend trying before the sweeter of the Double Shots in this line-up.
- Black Coal Stout : This medium to full body stout is Railway City’s signature dark ale: introduced with a deep brown hue, the stout pours a thick and frothy dark chestnut coloured head. The nose is dominated by coffee and toasted characteristics with underlying tones of rich dark chocolate. On the palate the stout begins with bitter-sweet chocolate leading into elegant toasted notes reminiscent of coffee and a slight undertone of freshly baked rye bread.
- The Weisser With Blood Orange & Cranberries : Hidden away for centuries. Lost and forgotten in the troves of yesteryear. Green Man's new-world take on an old-world style is kettle soured and features Pilsner and Wheat malts. The tart and crisp flavors complement our ever changing combinations of fruits and spices. This beer pushes the boundaries of our imaginations and we're The Weisser for it.
- BA Umbra : Our oatmeal stout aged in whiskey barrels. Complex flavors derived from the marriage of beer, wood, and spirit.
- Mad Mardigan's Spiced Baltic Porter : A light mocha head and a dark brown color. The black cardamom we spiced it with gives it an apparent smokey, resinous aroma -- perfect for winter. The flavor has some slight sweetness (apt for the style) to balance out the spices and hint of Black malt.
- Pinot Kolsch : Our Global Kolsch™ refermented with 10% Pinot Noir juice extracted from the skins using the saignee method traditional to making Rose. Fruity grape notes, crisp Kolsch character, and an oaky mouthfeel make this a unique beer. Thanks to Holdrdge Wines for the juice!
- Saison Tropicale : For the Saison Tropicale we used a good amount of Rye and Oats to improve the mouthfeel and complexity of the spicyness of the Saison yeast. We adjusted the water with 5 mineral salts to accentuate the flavours we wanted. Finally we dry hopped the beer with juicy & fruity hops. This beer is quite dry however the mouthfeel is quite pleasant because of our grain bill strategy. Tastes and aroma of cantaloupe, pineapple, passion fruit, lychee and guava fill your mouth and nose all culminating with a refreshing, spicy and slightly tart finish.
- Schlafly Oatmeal Stout : Our Oatmeal Stout is a classic British-style stout brewed with flaked oatmeal and roasted barley. Freshly-roasted coffee beans, cocoa and touches of raisin and dried fruit dominate the aroma of this super dark ale. The richness of the grain blend is balanced by the nutty character of the roasted malt, the creaminess from the oatmeal flakes and a dose of hops.
- Massaged Into Reality : Strong SOUR ale conditioned atop lime and grapefruit purée
- Dubious Nights : Dubious Nights is a dark sour beer aged in charred and non-charred tequila barrels. This blend displays notes of dark chocolate, agave, and tart cherries with hints of vanilla and plums.
- Chocolate Bunny Imperial Milk Porter : Collaboration porter with Stillwater Artisanal, this porter was made with premium cacoa nibs, Madagascar vanilla beans, and a nutty/roasty blend of malts.
- Futureshock : Double Dry Hopped India Dark Ale
- Dragon Swoon : Around the Bend collaboration with Atlas Brewing - Dragon Swoon (saison brewed with scorched grapefruit, tellicherry peppercorns and turbinado sugar.
- Eclipse Black IPA : Our Belgo-Style Black IPA is an exquisite fusion of black roasted chocolate malts, and a generous heap of hops. Bitterly aggressive with fruity esters and a savory aroma making this one superior brew.
- 3-Point Saison : Our award winning Saison is the colour of the golden sun. This beer has a lively carbonation which releases aromas of luscious tropical fruit. A mellow, honey sweetness is followed by a crisp, tart finish. From a backyard party to a cozy night in, this Saison is of a fine quality and for all occasions.
- Zombie Apocalypse : If the zombie apocalypse is coming, this beer is strong enough to get you through. Big, dark, and strong roasted flavours dominate with a deep sweet malt backbone. Stock up.
- Rockin' Chair : Our Imperial Nut Brown Ale was brewered up with over 300 pounds of local pecans from the kind folks at Southern Georgia Pecan Co. Rockin' Chair's malty backbone is complimented by notes of caramel and toast. The freshly roasted pecans add a roasted and nutty character to this medium bodied brew. Comin' in at almost 8%, I believe Rockin' Chair's got me and I'm sure its gonna' get you too.
- Full Curl Wee Heavy Scotch Style Ale : Full Curl Scotch Ale is brewed in the traditional Wee Heavy Scotch strong ale style. (This is not to be confused with the lighter-bodied Scottish ale style.) All about malt, Full Curl pours dark brown with a tan head. Its medium body provides sustenance while its strength boosts courage. With a stiff mug of Full Curl under your belt, you may even have what it takes to don a kilt.
- Mammoth Extra Stout : Dark and full-bodied, Mammoth Extra Stout provides a cozy blanket of warm and fuzzy flavors, including chocolate, caramel, coffee and nut. Huge portions of pale and specialty malts give this mammoth brew a complex palate while hops provide well-rounded balance. 
- Two Hearted Ale : Brewed with 100% Centennial hops from the Pacific Northwest and named after the Two Hearted River in Michigan’s Upper Peninsula, this IPA is bursting with hop aromas ranging from pine to grapefruit from massive hop additions in both the kettle and the fermenter.
- Oberon Ale : Oberon is a wheat ale fermented with Bell's signature house ale yeast, mixing a spicy hop character with mildly fruity aromas. The addition of wheat malt lends a smooth mouthfeel, making it a classic summer beer. Made with only 4 ingredients, and without the use of any spices or fruit, Oberon is the color and scent of sunny afternoon.
- Prince William's Porter : Every adventure must end with an award. Dark, rich, full bodied and lightly dry-hopped, our porter will have you running for the pub when the first cloud appears.
- Raspberry Wheat : A pink-hued, cloudy ale that will refresh your palette in the summer. But don't wait for summer in Alaska to try this great fruit ale.
- Lion Stout : The dark caramel, large dense headed brew, with its 8.8% alcoholic content, is unique due to its sweet notes of chocolate and coffee interspersed into a foundation of dark roasted barley. Symbolic black to denote leadership, power, focus and strength, is dominant in the labeling as the lion journeys in the twilight unafraid, unbowed and unchallenged.
- Kalamazoo Stout : Named after the city where it all began, Kalamazoo Stout is one of our most classic recipes. This smooth, full-bodied stout offers a blend of aromas and flavors of dark chocolate and freshly roasted coffee, balanced with a significant hop presence.
- Viszolay Belgian : Viszolay is a distinctly continental ale with a hint of the southwest. Belgian malt, Bavarian and Czech hops, and a secret blend of German and Belgian yeast strains provide this beer, inspired by the Trappist’s Dubbel style ale, with a strong traditional base, while a hint of New Mexico wildflower honey infuses it with that ethereal quality that we New Mexicans simply call, “enchanting”. Like the Trappist ales from which it sprung, Viszolay is light and refreshing. The hop’s subtle notes are overpowered by complex fruity flavors derived from the Belgian yeast, leaving Viszolay a very drinkable (yet rather potent) addition to the Santa Fe Brewing Company’s family of beers.
- London Porter : Porter is the oldest commercially brewed style. Dark, dry and mellow with some hop characteristics, it was the favourite tipple of London’s porters. London Porter pours a deep brown colour with reddish tints, and the aroma is toasty, with a hint of sweetness and some earthy hop notes. Firm-bodied, but not heavy, with a creamy texture, the dryish palate is full of roasted malt, coffeeish notes and a sustained bitterness.
- Sanitas IPA : A definitive Colorado IPA. Golden in color with a harmony of citrusy, grassy, fruity hop character and pleasant bitterness. Organic English & German malts provide a delicate sweetness and medium body.
- Pale Ale : First brewed in England around 1630, this beer style became popular in the early 18th century, as an alternative to the darker beers of the period. Bitter Root Brewing uses the finest malted barley to brew this English style Pale Ale, and traditional hop varieties give our Pale Ale its hop character.
- I Can Kill You With My Brain : Our Spring dark seasonal is a collaboration with Geek Bar Chicago. This English brown ale has been enhanced with hazelnut and ginger. The two play with the chocolate malt to create a hazelnut coffee feel. The classic UK EKG hop rounds out the beer with floral and earthy overtones.
- There Is Light : Brewed with oats. Hopped intensely with Motueka and Simcoe. There is light, there is dark, and then there is evil. Remain in the light. -Notes of lime zest, juicy mango, pine sap, lemon meringue, and dank stuff.
- Spruce Willis : Dark Lager brewed with Spruce Tips
- Amber Ale : "A Mountaineer Brewing original amber-style ale. Northwest Chinook hops prominent in a malty caramel and biscuity finish. Balanced and complex. A flagship ale for the region."
- Kujukuri Ocean Beer - Stout : This delightful stout consist a sweet caramel aroma with bitter dry fruit tone followed by a pleasant roast malt flavor.
- Tears Of My Enemies : Zesty and bold upon the first sips, with luscious notes of apricots, peaches and oranges like you're chilling in the capital city of Fruitland.
- Blazing Wildfire : This beer tastes like the acres of forest gone ablaze! We smoked ripe red Jalapenos grown here on Crossroads Farm, as well as some organic barley in our smokehouse here beside the brewery. Feeling we wanted even more complexity, we aged the dark brew in charred American oak barrels that previously held an Oregon made rye whiskey. To bring out the bold flavors of smoke and fire balanced with sweetness from both the ripe chiles and the barrels, we put this rich dark porter on Nitro for extra smooth mouthfeel. Get blazin’!
- Pilgrims Public House Pale Ale : A beer to be savored, this pale ale is a rich coppery color and has a sweet, malty nose. The flavor is well balanced, it starts out malty and finishes with piney and grapefruit notes from the Cascade, Magnum and Perle hops. This beer was designed and brewed for our friends at the new Pilgrims Public House in Lake Oswego.
- Trafalgar Oak-Aged Rye : Oak-Aged Rye is a complex yet clean tasting lager. It’s body and bouquet are the result of substituting 30% of the barley with rye, while introducing oak chips during fermentation and ageing. Oak Aged Rye is wonderful complement to veal, pork and chicken dishes
- Año Viejo : This Old Ale owns deep caramel layers as a result of a long kettle caramelization process. A hint of lactobacillus tartness and months resting in pinot noir barrels have evolved Ano Viejo into an age worthy ale complex nose, pallet and finish enjoyable for this year or the next.
- Lee Kriek : A sour red ale aged in a blend of rye bourbon and red wine barrels, with a refermentation in barrels on Oregon grown Montmorency Cherries. Spicy oak and yeast character with bright tart cherry notes and a complex finish.
- After Dark : Nelson After Dark is a dark, British-style Dark Mild Ale, lightly hopped and brewed with the finest imported dark roasted malted barley that gives the beer lovely chocolate overtones and smooth easy drinking character.
- Push Push Struggle : The biggest dry-hop we've ever done for a beer this size, a tidal wave of nectarine, tart peach, sweet grapefruit, and a creamy smooth mouthfeel. Don't sleep on this one.
- Alien Einstein : Alien Einstein is a light bodied India Pale Lager with a dull golden color and an inviting aroma of tangy grapefruit juice. A bright burst of fruity and earthy hop flavors immediately hits the palate. This beer exemplifies the well-rounded versatility of the American Mosaic hops used exclusively in this beer.
- Barrel Aged Deduction : Unlock THE VAULT, our barrel series committed to the careful, prolonged conditioning and blending of barrel-aged ales. Claim a limited release Deduction dubbel, aged in bourbon barrels and blended to feature smooth, sweet and complex notes of raisins, caramel and vanilla. Good things come to those who wait; enjoy immediately or store under lock and key.
- Gritty McDuff's Scottish Ale : It takes a brave beer to stand up to a Maine winter. Gritty McDuff 's Scottish Ale is returns every January to help you weather the season. Scottish Style Ale is our interpretation of the robust brews native to Scotland. Generous quantities of Pale malt along with Munich and Caramalts give this ale a deep and complex profile. Scottish Style Ale is just a shade darker than our Bitter, with a rich, slightly sweet first impression on the palate that rounds out to a satisfying maltiness and a medium-dry hop finish. At 6.3% ABV it's hearty but not overwhelming. Sure to please the Braveheart in all of us.
- Berner IPA : Berner IPA is a fresh cut of tropical fruit and citrus hop flavors coming from a chorus of Galaxy, Citra, Simcoe, and Cascade hops. 
- Rooibos Red : A classic Westcoast red becomes ultra fruity with the addition of Rooibos tea.
- Wishful Thinking : Belgian strong dark aged in oak barrels.
- Octagon : Belgian Quadrupel. Rich, dark, malty and very complex. Belgian Abbey yeast, dark candi sugar and a huge assortment of specialty malts create layers of complex fruity aromas and a warming finish.
- Peach Grand Cru : Peach Grand Cru is Great Divide’s newest limited offering. Brewed with Colorado fruit picked right at the peak of ripeness, this Belgian-style ale marries two of our home state’s well-known offerings: great beer and fresh Palisade peaches. Both sophisticated and balanced, this extraordinary, aromatic ale was born to be savored beyond the orchard.
- Scratch Beer 131 - 2014 (Belgian-Style Brown Ale) : The flavor of Scratch #131 originates in the Abbey Ale yeast strain, which produces a distinctive fruity character akin to dried dark fruit (think raisins or prunes). On your palate, the dark fruit flavor continues, adding traces of toffee, chocolate, caramel, and dark rum as well as delicate spices, roasted nuts, and lightly toasted grains. The addition of Belgian Candi sugar and cane sugar bolsters the ale’s sweetness, while Tradition hops offer a faint floral hop note that ties everything together.
- Oatylicious : This subtle but malty Belgian ale is smooth and creamy from the flaked oats added to the mash. The yeast profile of this beautiful blonde is fruity with hints of apple and pear. Clean and refreshing! Check out our tasting room for variations on the theme...
- Library Nitro Big Nose Bitter : A classic English – style, Extra Special Bitter (ESB). Do not let the title fool you, ESB’s are known for their ‘drinkability’ not bitterness. The flavor is well balanced between nutty/caramel malts and traditional East Kent Golding English hops. We push this beer with nitrogen inducing a subtle creaminess.
- Lager : Our lager is a version of the Dortmunder style. It is a pale golden lager, that is balanced between sweet malt and dry hop flavours. The lager has a clean, dry finish with some mild fruitiness delivered by the US version of German Hallertau hops and traditional Polish Lublin.
- Light Treason : We made a sour saison? We added grapefruit to a sour saison?? What?? Well, we might have committed some light treason by making a sour saison with grapefruit. Our first ever sour saison showcases aromas of citrus zest and white pepper along with tart grapefruit juiciness.
- Otter Creek Citra Mantra : Our spring seasonal offering brewed with 100 percent positive vibrations and single-hopped with Citra hops. The presence of the Citra hop is elevated by a clean fermenting lager yeast that allows the subtle Pilsner, Munich and Vienna malts to lay a crisp, bready foundation. The citrus and tropical fruit character of the Citra hop comes from kettle additions followed by a huge dose of ‘em again in the fermenter.
- Fig Gose : Fig gose is a tart, effervescent wheat beer featuring salt and coriander with fig concentrate blended in for a fruity, jammy, slightly sweet balance to the natural acidity in the gose style.
- Alvarado Street / Cellarmaker - When Doves Cryo : Collaboration with Cellarmaker, a West Coast IPA brewed with cryogenic lupulin hop powder. Bright citrus & exotic fruity notes courtesy of Mosaic, Citra & Galaxy hops with a crisp, refreshing finish.
- The New, New Rarefied Air : Grapefruit and Lemongrass hop character
- Hoppenstance : Our days are filled with encounters of chance. Random occasions so simple yet paramount help to define our lives within a heartbeat. Often, we become so consumed in the moment, we fail to realize the powerful events that change us. Hoppenstance - an American Double India Pale Ale that was crafted to be complex, just like the little happenings that brought us here. So, sit with each other, drink together, and remember that these extraordinary moments are destined from happenstance.
- Einbecker Dunkel : The fine selection of special dark barley malts gives Einbecker its strong character and mild malt flavor.
- Horror Show : The latest experiment focused on finding the perfect hop mix and timing the addition just right. The result? A blend of Amarillo, Cascade, Ahtanum ad Citra leading to a citrusy IPA full of orange, grapefruit and a hint of tangerine notes.
- Funk Juice : We brewed this brettanomyces influenced IPA with a house blend of brett that has been kept happy here at Cellarmaker for almost a year now. Hopped with Equinox, Galaxy and Motueka, this one brings plenty of fruit from the hops as well as pungent fruit and earthy leather from the brett. We want the Funk! 
- Blended Barley Wine Ale (Aged In Red Wine, Bourbon & Rye Whiskey Barrels) : This potent and generous barley wine has been aged in a mixture of bourbon, red wine and rye barrels, which meld into a seamless mix of berries, oak & toasty bourbon. The complex aroma contains vinous notes, along with red apple and toasty oak tannins, that mix with pleasantly rounded hints of bourbon and barrel elements going from softer vanilla and almond to deeper char. The alcohol adds some welcome lean, warming elements to a very impressive range of flavor profiles that include caramelized malts and barrel notes, along with a brilliant assortment of fruit characteristics.
- Nuckin Futs : This English Brown Ale has a rich nutty flavor, sweetened with fresh local honey, and balanced with a spicy hop note. It’s very smooth and enjoyable. “You gotta be Nuckin’ Futs not to try it!”
- Fruit Smoothie : A NEIPA "fruit smoothie" - strawberry puree along with El Dorado, Mosaic, and Azacca hops. Lactose sugar adds a touch of sweetness, and we conditioned the whole thing on Madagascar Vanilla beans.
- Imperial Milk Stout : Our Imperial Milk Stout is bold and rich, featuring notes of chocolate and residual sweetness from the addition of lactose, balanced by a roasty base. This big, dark stout is silky smooth, with none of the boozy burn you might expect from a 10% stout. Perfect for cooler weather and longer nights.
- Red Racer Raspberry Wheat Ale : Infused with raspberries from the Fraser Valley, this wheat ale is crisp and clean with a subtle fruitiness. The toasted crystal malt from England balances the natural acidity of the raspberries producing a beer that is refreshing and a delightful taste experience.
- India Red Rye Ale : Our most complex grain bill and moderate bitterness join forces to produce this bold, malty and spicy IPA. Dry hopped with a blend of American aroma hop varietals this is best consumed fresh.
- Chocolate Brown Ale : This beer starts out a lot like the John Brown Ale. Lots of malt and gentle hopping make a brew balanced towards the subtle nuances of rich malt flavors. After this beer has matured, it is put it into conditioning tanks with 3/4 of a pound of gourmet chocolate nibs per barrel. These are the roasted cocoa beans themselves, which provide the very essence of chocolate. The result is a subtle dark chocolate aroma and a mild chocolate flavor that complements the rich malt character of the beer. (O.G. - 13.8P/1055. Hops - 16 IBUs)
- Double Milkshake IPA - Tangerine Dream : Tangerine Dream Double Milkshake IPA is our latest heavily amplified psychedelic riff on THE boundary-pushing Culinary IPA series. Brewed with gobs of oats and lactose sugar. Conditioned atop double the amount of luscious Madagascar vanilla beans and fresh and pungent mixed citrus purée (kalamansi, grapefruit, and Mandarin orange). Intensely hopped and then double dry hopped with Mosaic and Citra. Big notes of comforting orange creamsicle, sticky icky marshmallow, fresh pressed grapefruit juice, calamansi daydreams, and melty blueberry sorbetto.
- Red Headed Step Child Irish Style Red Ale : A dark red Irish red with roasty overtones and a subtle, apple, fruity finish.
- Argonaut Collection: Flying Cloud San Francisco Stout : A Dublin-style brew made with English Maris Otter pale malt, two black malts, and flaked barley. Nugget and Golding hops provide a spicy, floral complement to the deep, dark-chocolaty maltiness and dry finish.
- Halo Kibbles : Halo Kibbles is blended from two golden ales brewed with imported floor malted pilsner, raw wheat, malted rye, and aged hops. After aging for several months in French oak puncheons, Halo Kibbles is refermented on heaps of organic raspberries. The raspberries lend radiant color, an intense berry aroma, and vibrant fruit notes to this funky, fruity, and tart wild ale.
- Tower 10 IPA : Tower 10 IPA boasts hops from beginning to end, and everywhere in between. We fill the brew kettle to the brim with assertive Chinook hops, giving the beer its intense grapefruit and pine flavors that linger through its dry finish. After fermentation, we dry hop with a blend of Cascade and Centennial hops for a floral citrus aroma. A touch of lightly kilned caramel malts make Tower 10 a well balanced, full flavored IPA.
- Dark Star Porter : A rich and robust blend of light, caramel, and dark malts sets the stage for BBC Dark Star Porter’s robust presence on the palate. This smooth but robust porter has complex notes of chocolate and roasted grains balanced by additions of traditional English hops, creating a delicious chocolaty and smooth ale.
- Old Heathen Imperial Stout : Rich, velvety and deliciously complex, Old Heathen (8% ABV) is a truly distinctive stout. We use seven types of malt and two varieties of hops to bring forth this big brew. Quite robust and roasty on the palate, Old Heathen Imperial Stout has a wonderfully fruity nose and a moderately dry finish. The taste is highly complex. Perhaps you’ll even discern notes of espresso or chocolate.
- Gritty McDuff's Black Fly Stout : There's beer and then there's stout, and Gritty McDuff 's Black Fly Stout is the real deal. Black Fly is a dry, all-malt stout packed with roasted flavor. We use six different grains in the brewing of this dark masterpiece and balance the full palate with Oregon Willamette and Yakima Clusters hops. Like the legendary Irish stouts that inspired it, Black Fly Stout is rich, robust and a touch mysterious. The finest stout west of Galway Bay!
- Chicory Stout : Chicory was one of the first beers we started brewing at our pub back when it opened in 1995. It's a dark beer made with a bunch of roasted chicory, organic Mexican coffee, St. John's Wort and licorice root. We use whole-leaf Cascade and Fuggle hops, as well as pale, roasted and oatmeal grains.
- Honker's Ale : Golden sunset color, fruity hop aroma, biscuity malt flavor, soft body.
- Indian Brown Ale : Also known as Indian Brown Dark IPA
- Belhaven Scottish Ale : Our signature Scottish Ale is the beer we've brewed the longest and is our best-selling bottle world-wide. We brew it from 100% Scottish Optic and Crystal barley malts for a nutty, biscuit character, balanced with a subtle spiciness from Challenger and Goldings hops for an all-around satisfying beer. 
- London Funk : An unusual take on an English style Robust Porter. Chocolate, coffee and soft toffee notes round out this medium bodied dark ale fermented with a Belgian yeast strain giving a slight Belgian funk.
- Hopping 4-tay : Hoppin' 4-Tay is a hybrid of IPA styles; east meets west meets east again in this Citra-fueled hop voyage. Not as bitter as our Westcoast IPAs are, but not as soft as our regular IPAs. More body than our Westcoast IPAs, but not as much as our regular IPAs. Just as much aroma as our Westcoast IPAs, which means just as much aroma as our regular IPAs. The truth lands somewhere in the middle; a pillowy hazy body with a nice mouthfeel and smooth texture is made more drinkable with a mild hop bite that sparks the palate like static shock. An orange-juice-forward hop profile strikes the perfect balance between the fruity esters of the northeast and the citrus hop kick of the southwest. The result is an aromatically charged IPA that's tighter than a glove and can chop a lot of game in any beer bar whether it's in Berkeley, Napa, Sacramento, Monterey, San Mateo, or right across the water in the Biggity Biggity O.
- Kanc Country Maple Porter : A dark full bodied porter brewed with real maple syrup. Black patent malt character shows through in the beginning with a silky smooth finish.
- Contemporary Works - Stereo : Stillwater IPA?? WTF, right? Well truth be told we love a good IPA just as much as the next guy and besides, what's more contemporary then a American IPA? The lean base of Pilsner malt with the lightest touch of caramel support this high definition blend of 6 intricately layered hops gathered from around the world. Bright citrus, stone fruit, pine, earth, dank, crisp & fucking delicious.
- Napa Wood Fired Pizzeria Harvest Basil Brown Ale : Napa Wood Fired Pizzeria Harvest Basil Brown Ale is a rich red hued brown ale has a lively bouquet of fresh basil and subtle roasted malt notes on the nose. A complex malt forward beer layered with flavors of caramel and a slight nuttiness that is matched by the light spicy herbal-floral hops selected to compliment the farm fresh basil. Truly a farm to glass experience.
- State Of Funk 2017 #5 - Cuff and a Crease : 13 month High West Bourbon barrel aged sour brown ale conditioned on Pluots (hybrid fruit of plum and apricot).
- DDark Roasted Brew : DDark Roasted Brew is a decadent, stout-style beer featuring full-roasted coffee flavor reminiscent of freshly-ground beans and a creamy mouth feel. It’s also the first-ever beer brewed with Dunkin’ Donuts’ Dark Roast coffee beans.
- Hangman Pale Ale : Rocks Pale Ale is an American Style Pale Ale. Made with American Ale yeast, this extremely flavoursome beer pours a deep gold colour with a tight white head. With big citrus and stone fruit aromas on the nose, the beer is supported with a firm bitterness, solid malt backbone and zingy hop flavour from a mix of cascade and liberty hops thrown late into the kettle. This beer is balanced by using Munich and caramel pils malt to give a full bodied taste lasting. Rocks Pale Ale showcases the best of malt and hop flavours made available to brewers.
- High Stakes Imperial IPA : Traditionally, imperial was the term for beers made in England specifically for the imperial court of Russia, but today refers to any “big and bold” style. And in this fashion, High Stakes does not disappoint! Tipping the scales at 8.0% alc./vol. and 80 IBU, this beer is remarkably smooth, fruity, and well-balanced.
- Jake's Big Honey Saison : Saisons were originally rustic farm house brewed beers using the available grains and ingredients from the farm itself to provide a refreshing beverage for the tired workers. They have gradually evolved to higher alcohol levels as well as being lightly spiced in addition to the natural fruit and spice character from the yeast. We intended to add a smaller amount of local honey to add some character as well as increase the potential alcohol, esters and flavors while finishing with a lighter body than an all malt brew of similar strength. Jake, the assistant brewer, misunderstood and added a full pail to our pilot brewery’s kettle.
- Peninsula Brewer's Reserve : A light, straw-colored ale. A fresh, clean aroma with very subtle hops. Crisp in the taste with a slight fruitiness. Finished dry and refreshing.
- Oude Tart - Cherries : Oude Tart is a Flemish-Style Red Ale aged in red wine barrels for up to 18 months. This version has had cherries added for the final stages of barrel aging. It's pleasantly sour with hints of leather, tangy dark fruit, plump cherries and toasty oak. While the base beer is one of the more classic styles that we make, it's not a style that you can find too often in the United States. Originating in style from the Flanders region of Belgium, near the French border, this dark, sour ale has roots deep in brewing history and predates most of the ales that have become popular in contemporary culture. We're doing our best to keep the tradition alive by brewing and aging this beer here on the West Coast.
- No. 48 Farmhouse Ale : The Farmhouse Ale is golden in color. Fermented with our Saison yeast at high temperatures, which reveals fruity and spicy esters. Light to medium body with light hop aromas. Finishes dry with a satisfying balance between its bitterness and sweet malt.
- Heaven's Gate : Tan color, guava aroma, caramel and grapefruit flavor, medium body.
- Doppelbock : Dark & rich with a big beer taste, Doppelbock is an exceptionally smooth, full-bodied dark lager with a bold character that is sure to brighten your spirits.
- MEC DIPA : NE style IPA with Mosaic, El Dorado, and Citra hops. Unfiltered and unclarified with heavy grapefruit on the nose and a refreshing finish. MEC is pure summer in a glass.
- Gahan House Sydney Street Stout : Full bodied, roasted barley overtone with a dark creamy head.
- Two Headed Stout : The Two Headed Stout is extremely robust with extreme notes of roasted barley and dark chocolates. Don’t be scared, this stout is as smooth and creamy as it is dark.
- Propeller Pilsener : Pilsner is a style of lager that originated in Plzen (pronounced Pilsen), Czechoslovakia in 1842. Prior to that time, most beers were made with top-fermenting yeast and were dark in colour and somewhat hazy. In 1842, an innovative Czech Brewery used a ground-breaking technique of methodical bottom fermenting with a new strain of yeast. The resulting brew, Pilsner, was a refreshing golden and bright beer that has now been adopted by breweries all over the world.
- Crosscut Pilsner : We’ve brewed up a bit of our local logging history and crafted a Pilsner-Style Lager that offers up a hint of our home. Like the surrounding Northwest forests we call our back yard, this beer is complex in its subtleties. From a clean malty profile to a moderate Noble-hop flavor and aroma, our Lager combines local ingredients and inspiration, which results in a beer that's a cut above the rest.
- Our Mutual Friend / Fort George - The Deepest Darkest Fear : The Deepest Darkest Fear is an American imperial stout. This beer is a big stout brewed with house-roasted Colorado malt as well as molasses and honey.
- Cursed Tree : Trappist-inspired Dubbel, brewed with Belgian malt and noble hops, then finished with a thoughtful sprinkling of spice. This beer pours a dark copper color with a cream-colored head. Aged on rum-soaked figs, its dry finish is complemented by notes of caramel and fruit, characteristic of the monastic yeast and reminiscent of the serene simplicity found inside abbey walls.
- Mini Mojo Belgian Style Abbey Dubbel : Packing all the flavor of her big sister, Mother Jones, this little lady delivers all the rewards without all the consequences. A dark belgian ale made with trappist yeast and dark candi sugar. Very nice!
- Detritivore : Detritivore was made by adding the same cherries that were used to make Montmorency vs. Balaton to fresh beer in stainless steel and allowing the combined beer and fruit to referment to dryness. This was the same technique that we originally used to make La Vie en Rose with the raspberries from Atrial Rubicite. As with La Vie en Rose, the second refermentation of the fruit results in subtler, more delicate flavors, as compared with the more intense flavors that result from the initial refermentation.
- Schell's Emerald Rye : We are excited to announce our latest year round- Schell’s Emerald Rye! Schell’s Emerald Rye is assertively hopped (hopped again, and again, and again, and then dry hopped) to impart a firm, dry bitterness and features the uniquely fruity, hoppy aroma of the German Emerald hop. With 60 IBU’s this lager rivals that of an IPA, but unlike an IPA we lagered it, giving this beer a crisp, smooth, clean finish on your palate. A biscuity malt foundation gives it balance and a luxurious, deep ruby color. A hint of rye enhances the subtle spiciness of the Emerald hop and complements the delicate notes of lemon and orange marmalade within the aroma. The rye also adds a layer of spicy complexity that leaves you wanting more.
- Derby - Chocolate Mint Julep Stout : A sweet stout infused with dark chocolate, cocoa, vanilla, and peppermint. Aged in a Heaven Hill 18-year-old Elijah Craig bourbon barrel.
- Germaniac (Kotbusser Style Pale Ale) : Scratch the surface of the German beer tradition and you find gems like this: a crisply bitter golden ale from Northern Germany that faded into obscurity a hundred years ago. With its subtle honey notes and small dose of molasses which gives it a lightly nutty character, this is a beer that deserves a much wider audience. We follow the classic recipe, with a mix of three types of malted barley, plus wheat and a dash of oats for a creamy texture, plus tiny amounts of Wisconsin cranberry honey and light molasses, both of which add subtle shading of aroma. Hopping is vigorous, and along noble lines, but amped up a bit with some North American varieties as well, just to keep it fresh-tasting and bold. It’s an ale fermentation, so there is a hint of fruitiness that plays nicely with the honey and molasses notes.
- Anomaly 2 : Buckwheat grisette aged in white wine barrels that previously held a dark strong ale with brettanomyces.
- Brotherton Imperial Oatmeal Porter : Brotherton Imperial Oatmeal porter infuses exceptional smoothness and richness into a traditional Porter. Heavy-handed oat additions to the grist create velvety richness and beautiful subtle sweetness in the malt character of this beer. Smooth, deep, rich with notes of roasted chocolate, complex toasted malts with a slight dark fruit character in the finish.
- Super Over Ripe : We combined ingredients from two of our favorite IPA's, Super Ripe and Over-Ripe. We fermented this beer with exotic fruit, added a massive amount of tropical hops, and boosted the ABV all the way to 11%. We get loads of over ripe fruits like cantaloupe, Pineapple, and Papaya. Enjoy!
- Wicked Fog : New England IPA brewed with loads of flaked and malted oats, hopped with Columbus in the kettle, a blend of Citra, Mosaic, Simcoe, and Centennial hops in whirlpool and dry hop. Notes of resin, grapefruit, and melon. Light and silky for the beginning of summer and outdoor weather.
- Last Train : From the darkness emerges our imperial porter: Last Train. Barreling down the tracks at 11% ABV and conditioned atop Ethiopian coffee, and Theo Chocolate coco nibs.
- Small Bird Series: Stumpy Duck : Stumpy Duck is an easy drinking American Wheat Ale and part of our draft only, seasonal “Small Bird” series. Brewed with a high proportion of malted and flaked wheat, along with Columbus, Centennial, and Citra hops, this beer has a sweet, honey-like malt aroma that balances nicely with a pink grapefruit, floral, and pine hop character. Medium bodied finishing with flavors of sticky pine and sweet citrus.
- OPA! : A sessionable Oatmeal Pale Ale that has tons of great hop flavor jumping between earthy and herbally to slightly citrusy and fruity. All while balanced against a unique malt profile that is reminiscent of a light oatmeal cookie. Made with a local hop blend of Cascade/Glacier/Golding, from the Long Island Hop Farm, Farm To Pint.
- BigNose MyBock : Although it originated in Einbeck, the Bock style of beer has since been claimed as Munich's own. Created as a strong, dark, lightly hopped ale, Munich's brewers appropriated the style and added a local twist, converting the beer to a lager! Besides this pivotal change of style, Bock has also generated several variants, including Maibock, or 'May Bock'. Traditionally brewed in the winter and served in spring, Maibock is a pale, yet stronger variant of the traditional Bock. This big golden lager is now brewed year round and, in our case, all over the world. Clandestine's 'BigNose MyBock' is a well-hopped, strong golden lager that showcases the short list of German malts used to brew it. A clean, crisp lager despite it's alcohol content, BigNose is a tribute to the traditional beers of Bavaria. Despite the additional hops over a Bock, this is a malty draft that is never astringent.
- Hop Gun : If you’re looking for hops, we’ve got your tail. Hop Gun IPA delivers a payload of good ol’ American hops straight to your palate, bursting forth with the flavors of grapefruit and pineapple. A careful dose of smooth caramel malts swoop in to balance out the finish — just like any good wingman should.
- Ta Plus Meilleure : IIPA brewed with passion fruit and hopped with Citra and El Dorado.
- Big Rusty Irish Ale : A malt-forward beer with a smooth dry finish. The complex malt flavors mixed with just a hint of hops gives this Irish Amber a great flavor you can savor all night long.
- Vieux Amis : Bright toasted green cardamom aromas accented by a delicate citrus touch fade into coffee, roast and a subtle sweetness. This beer highlights the Belgian Brown Ale base notes of dried fruits, caramel and cacao nibs before bringing in a hint of apricot and floral notes from the Intelligentsia Ethiopian Kurimi coffee.
- Equinox Harvest Ale : This food friendly beer was brewed to welcome in the fall. We utilized Cindarella Pumpkins, Red Kuri Squash and Coastal Sage from Suzie’s Farm to create a beer that will pair well with a wide range of dishes. The sage plays well with the hop bitterness over a lightly fruity and toasty malt background.
- Bu Weisse : Our version of a barrel-fermented and barrel-aged Berliner-Weisse, but fermented with ambient yeast and bacteria. Tart with citrus and fruit notes, a subtle grain character, and a hint of funk.
- Drinkin' Buddy Amber Ale : A light and sweet amber ale with a fruity hop finish. A go-to beer for many imbibers. 
- Dat Juice : An unfiltered American wheat pale ale hopped with 100% Citra hops. It pours a cloudy pale straw colour with bright aromatics of grapefruit, pineapple and mango.
- Helles Lager : A traditional Munich style lager, light, bright and golden in colour. Accentuated malt complexity, medium/light body with a hint of honey. Nobel hops add balance, spicyness and subtle bitterness. Probably the fullest tasting lager in the land! Lagered for 8 weeks prior to release.
- C-3 Rye CDA : This black IPA is what hop heads will be reaching for during the winter months. Weighing in at a hefty 7.8% ABV and 80 IBU's. This CDA is not for the dainty drinker. Come to the Dark Side...
- Pumpkin Ale : A little bit of trick combined with a whole lot of treat, our spice infused Pumpkin Ale blends dark sugars, fresh pumpkin and a selection of memorable harvest spices that come together in a well balanced, medium bodied, rich, copper hued ale. With just enough sweet to balance out the spice, this is how we do pumpkin pie.
- The Illinois : The first Imperial beer of the year is The Illinois, a 9.0% ABV 95 IBU Imperial IPA that pushes the limits of hop flavor and aroma. Deep gold, complex citrus aroma, balanced clean bitterness, medium to full body.
- Bonesaw Barleywine : Dryer then your typical English Barleywine, this ale is both well balanced and intensely flavorful. Malty notes lead to dark fruit, caramel and bready character with a port like character that is perfectly complimented by the oak and subtle wine character of the pinot noir barrels it’s aged in. Pair this with gorgonzola cheese, Shepard’s pie, or drink it by itself as a great stand alone pint.
- Fauna : Sour IPA with raw wheat, malted oat, milk sugar, kiwifruit, lime purée & hibiscus — hopped with Galaxy & Mosaic.
- Beer Is Dark XIII Anniversary Ale : Dark Horse 13th Anniversary Ale, brewed with 13 malts and 13 adjuncts.
- Chairman Chuck IPA : Unfiltered and straw colored in appearance this IPA presents aromas of pineapple and tropical fruit on first the whiff, but as it warms up the beer begins to develop qualities of ripened peaches. The flavor shifts direction from the aroma and puts on a showcase of dank stone fruit and elements of pine.
- Pseudo Sue : This single hop ale showcases the Citra hop. Named for the largest T-rex fossil ever discovered, she roars with ferocious aromas of grapefruit, citrus, mango and evergreen. Delicate in body with a mild bite in the finish.
- Dominion Lager : Brewed using four types of malted barley, this Dortmunder lager becomes a smooth, flavorful and complex beer that is a delight to drink.
- Old Inlet Pale Ale : An American-style pale ale with hints of fruit and flowers from Cascade hops.
- White Birch Barrel Aged Night Falls : Night falls and all is black. Dark malts, hints of oak and a wild undercurrent. A soft wild side and smooth finish. Invite the night.
- Hop Revenge - Anomaly : New England wild tropical stout - a boatload of hops with notes of tropical fruit and fermented with Brett c. Discover treasured notes of chocolate, coffee, papaya, pineapple and cayenne.
- Hop Pig - Grapefruit : We took our citrusy, tropical, house IPA, Hop Pig, and brewed it with a bunch of grapefruit. The result is a slightly hazy grapefruit juice bomb with a smooth bitterness and a pronounced, pithy finish. Like drinking a glass of tropical, white grapefruit juice.
- Answers In the Cosmos : Sometimes the answers are right in front of us, but sometimes they are suspended just out of reach in a dark unknown. This NEIPA settles somewhere between hazy and juicy, with bright notes of passionfruit and citrus. Dry-hopped with galaxy, this beer will land you amidst the answers everyone is looking for, until you’re willed to come back down.
- Hitachino Nest Ancient Nipponia : "Nipponia is brewed using the revived Japanese breed of Kanego Golden barley which was first developed in 1900, along with another strain of hops called 'Japanese-bred Sorachi Ace'. Nipponia is a delightfully golden coloured beer with citrus edge and complex and lingering taste."
- Georg : Georg (named in honor of George A. Schilling) is a complex, dark Bavarian-style lager with traditional Munich malt taking center stage, presenting notes of nuttiness and bread with a touch of caramel. While complex in flavor, this traditional brown lager is dry and sessionable. Prosit!
- Beorn : All Wisconsin sour. Fermented with domestic yeast and lactobacillus. Light-bodied with hints of berries, sour cherry and grapefruit.
- Elderflower Prosecco Hefeweizen : A spin on the delicate elderflower Prosecco cocktail from Sixpoint's Fabian Beller. The Hefeweizen base beer is brewed and fermented with dried elderflowers, and hopped with Nelson Sauvin, a unique varietal from New Zealand that's known for its vinous characteristics. Banana and clove flavors from the authentic German yeast meld with elderflower and wine notes for a unique and complex brew.
- Vinalia Urbana : White Wine Barrel Aged Belgian-Style Golden Ale, Named after the Roman festival held to bless and sample the wine of the previous season, Vinalia Urbana, a Belgian-style golden ale, is aged for months in freshly emptied Sauvignon Blanc barrels. This maturation process lends some light vinous notes and a hint of oak that blend beautifully with the subtle fruit and light spicy character imparted by the Belgian yeast. Vinalia Urbana is delightfully dry and delicate on the palate with lingering white grape and stone fruit undertones.
- New Minglewood Wheat : Our American Style Wheat is a beer with a light, crisp body, balanced by delicate flavors and aromas from the American-style yeast. The pilsner and wheat malt combine for a light golden body with a touch of Vienna malt to add complexity to the finish. American C-type hops provide subtle citrus flavors to the finish.
- Duet : Brewed with Local 44. Duet is a 5% abv Belgian style golden clocking in at 64 IBUS of all noble hops. Primary fermentation is the Ardennes yeast that made gnomes famous around the globe with secondary fermentation executed by a Drie Fonteinen Brett strain. The result is a golden ale of uncompromising complexity that is the perfect session beer.
- Traverse Cherry Wit : Is it as delicious as it sounds? Yes! Our cherry wit, which received so much acclaim at the 2013 Oregon Brewer's Festival, has made a comeback. We use half wheat, half 2-row, and a half-pound of sweet Oregon cherries per gallon. Brewed with a Belgian yeast to add layers of fruit and spice.
- Milk of the Poppy : This North American IPA is brewed with a blend of New Zealand and American hops and then refermented with locally produced strawberry juice. The tropical fruit and grapefruit hop aromas are accented beautifully by sweet and juicy strawberries.
- The Uno - Russian Imperial Stout : The Uno is our first Specialty Release offering. We brewed a single 8 bbl batch, and when it is gone, that’s it. It weighs in at 10.4% abv — with a full body, and a complex flavor profile. It’s a little spicy (thanks to the rye malt), a little coffee-like (from the roasted malts) and a little toffee-like (thanks to a blend of crystal malts and piloncillo, a raw mexican cane sugar). It’s real big, real black, and real tasty. Hope you enjoy!
- Dark Prophet : Bourbon Barrel Aged Belgian Strong Dark Ale
- Freigeist / Kingpin Grätzhainer : A combination of East German and neighboring Western Polish traditions, Grätzhainer hybridizes the former’s Lichtenhainer with the latter’s Grätzer/Grodziskie. The resultant collab with Poland’s Kingpin—a straight 50/50 blend of the two styles– features a pleasant, easy-drinking sourness typical of the Lichtenhainer, with the complex smokiness indigenous to the old Grodziske. The perfect beer with which to reminisce about the good ol’ days when the Wall was still up, everyone had a job, and good beer was cheap!
- Imperial Alchemy Coffee Stout With Vanilla Beans : We took our amazing Alchemy Coffee Stout and made it bigger and better. This stout is brewed to pair the fruit notes of Alchemy’s cold brew with the velvety chocolate and roast of the dark malts. Vanilla beans added to the fermenter give this brew a slightly sweet finish and delightful aroma.
- Molten Lava : "This is Hop Lava's bigger, meaner cousin -- a radiant orange-hued beer featuring more than six pounds of hops per barrel. The out-of-control hopping is barely balanced by a tight malt backbone and noticable alcohol notes. We used our Kolsch yeast on this one, which gives it a different type of fruitiness than the Belgian ale yeast used in Hop Lava."
- Retribution : A full-bodied, Single Barrel Bourbon-aged Imperial Stout with rich aromas of espresso and dark chocolate, and smooth roasted malt flavor. Aged for 6 months inside charred Kentucky white oak bourbon barrels to add the natural vanilla and caramelized sugar flavors of the bourbon soaked wood to the beer. Each bottle run is drawn from a single barrel, making each batch a unique drinking experience. ABV from 10.5% to 11.5%.
- Fruity Pooty : Fruity Pooty, a fruit bomb of exotic hops in yo face, is a double IPA with a heavy dose of Munich malt and flaked wheat balanced out with Chinook, Amarillo, and El Dorado hops. We tossed in a Galaxy dry-hop, too. The Brett house strain emphasizes the citrus notes from the hops, and the 10% ABV adds a nice punch on the tail end of each sip.
- Whizbang Hoppy Blonde Ale : A complex hoppy blonde ale bursting with Mosaic hops and a malty backbone for a full flavored taste explosion.
- 2nd Anniv Quad : This Belgian-Style Quadruple ale was brewed for our second anniversary in 2013 and was aged in retired whiskey barrels for over 6 months. Dark fruit and burnt caramel notes mingle with the unique flavors imparted from the barrel aging to create complexity and euphoria.
- Michelob Ultra Fruit Lime Cactus : Michelob ULTRA Fruit Lime Cactus has an exotic fruity aroma with a clean citrus finish.
- Tripel : Strong golden Belgian style ale, full mouth feel followed by residual sweetness with fruity apricot flavor
- Single Barrel Coconut : One barrel of lambic-inspired ale and added shredded coconut directly to the barrel for one week. Part of that barrel got used in blending "Careful with that Fruit Salad, Eugene", while the rest is being poured on draft.
- Chardonnay Barrel Peach Tripel : White Wine Barrel Aged Belgian Tripel with peaches, Hardywood Peach Tripel emerges from Virginia chardonnay barrels with new sophistication, yielding extravagantly fragrant aromatics of stone fruit, vanilla, white pepper and honeysuckle. Displaying a voluminous head and a bright, sunshine golden hue, our Chardonnay Peach Tripel hits the palate with notes of white grape, peach and apricot backed by a slight acidity, finishing dry and inviting you back for more.
- 18th Amendment : The 18th Amendment brought about the darkest period of American history. (No, not The Brady Bunch Movie, Prohibition.) The ban on alcohol meant you couldn’t get a decent beer anywhere, unless, of course, you “knew a guy”. This A.P.A., brewed in honour of your friendly, local bootlegger, is loaded with all-American hops, notes of citrus, and a crisp, bitter finish. Enjoy it quick before someone makes fun illegal again.
- Chip, Chap, Chop : Hibiscus and Grapefruit Saison
- Six (#6) : "Six is a dark rye beer with layered flavors including chocolate, caramel, pepper, wood, cherry and tropical fruit. It starts semi-dry and smooth and finishes fully dry and tart with a small bite from the hops. The overall balance of the Six makes it easy to pair with richly prepared meats along with many harder cheeses."
- Scratch Beer 157 - 2014 (Fest Lager) : Autumn is an insanely popular season for beer releases. Perhaps the most famous, long-standing fall beer style of all is the Märzenbier, or more commonly known simply as “Festbier.” To commemorate the annual German tradition of Oktoberfest, we once again offer our take on this classic German style. With origins dating back to 16th century Bavaria, the original Märzen style was touted as “dark brown, full-bodied, and bitter.” Typically brewed during the warmer spring months, the beer was often stored in cellars before finally being served during Oktoberfest. Boasting a notable hop presence, Scratch #157 displays moderate bitterness while still maintaining the classic malt character you’ve come to expect from a traditional Festbier. Prost!
- Batch 1 : The result of an epic and torturous 22 hour-long brewday (and night), Batch 1 is a hybrid, single hopped pale ale. As the name suggests, it was the first batch of beer brewed at Westbrook Brewing. An American-ish grain bill was hopped with Amarillo and split into two fermentors: one got an English ale yeast; the other was fermented with our Belgian ale yeast. After fermentation, the two batches were blended back together and dry-hopped with more Amarillo. The fruitiness of the English and Belgian strains is harmoniously accented by the intense apricot aroma of the Amarillo hop. Enjoy this very deliciously drinkable ale while you can, you may never see it again!
- Bourbon DIPA : Hardywood Bourbon DIPA is hopped with a heavy dose of Columbus, Cascade and Summit hops, fermented with an abbey ale yeast that imparts some subtle tropical fruit and peppery notes and conditioned twelve weeks in freshly emptied Virginia bourbon barrels from the A. Smith Bowman Distillery, where earthy, vanilla, toffee and bourbon notes lend an exquisite mellowness to Bourbon DIPA.
- Sticke Alt : A German style strong alt that is traditionally made in the fall and the winter. It is normally darker, stronger and roastier than a typical alt.
- Luponic Distortion: Revolution No. 003 : The lead hop in Revolution 003 is a new German variety that Brewmaster Matt Brynildson first encountered in its experimental infancy while traveling through the Hallertau region during the hop harvest three years ago. “I fell in love with it then, and I’ve been following its development ever since,” he says. “It’s just loaded with this juicy mandarin orange character that is so distinctively German, unlike anything you could grow here in the states.” Luponic Distortion Revolution 003 offers a mandarin orange and ripe peach character with ample supporting notes of citrus, stone fruit and pineapple. The overall profile is round and juicy, leaning heavily on ripe fruits with minimal dank or piney edges.
- Geary's Imperial IPA : This ale has its origins in the traditional English style, with a generous helping of American exuberance. Bright copper in color, it has an assertive hop bitterness balanced with a subtle malt foundation. Dry hopping at two sates of the brewing process provides floral and fruity hop flavors adding to the complexity of the brew. Alcohol by volume of 8.2%. Original gravity ~ 1082; Malts ~ Two row English malt (pale, crystal and black); Hops ~ Cascade, Mt. Hood and Golding.
- O'Connor Punkelweisse : Our unique blend of a traditional German Dunkelweisse Dark Wheat Ale, fall spices, and lots of pumpkin. With every sip, you will see the trees turn gold, feel the crisp, cool air, and hear the crackle of the fire pit. Ahhh, Fall.
- Hop Dish IPA : Aggressively hoped IPA with aromas of citrus, fruit, pine. a subtle malt sweetness and notes of caramel.
- Race Rocks Ale : A blend of the finest specialty malts gives Race Rocks Ale it’s smooth, complex character and deep chestnut colour. Don’t let its dark colour scare you; toasted biscuit flavours with subtle notes of caramel and chocolate make Race Rocks an exceptionally mellow, well balanced ale to please any taste.
- Chroma : This Amber ale was brewed with Rye and four American hop varieties. Starting malty with a bit of spice, this beer finishes with a dry hop bite. The rye imparts an earthy quality to the first sip, balanced by a sweetness from the malt. All of the hop additions were carefully selected to give it first a heavy herbal aroma, followed by a fruity, spicy flavor with moderate bitterness.
- Queue De Charrue Ambree : Amber beer of 5.5%, “Queue de Charrue” is second-fermented in the bottle. Its beautiful orange colour and its fine but dense froth gives it a light body. Its fruity finish will delight you with its refreshing character.
- Jemmy Stout : With eleven different grains used in the brewing process, this is one of the more complex stouts out there. Several different roasted barleys, wheat, oats and caramelized grains yield hints of bread, toffee, dark fruits, chocolate and coffee. Just enough hops for balance and traditional English yeast for true stout character. 
- White Line White IPA : A true showcase of Centennial and Citra hops, our White IPA is hop-forward and refreshing with a clean, dry finish. Lemon citrus and pine hop aroma meets a slightly tart grapefruit flavour, with a subtle malt profile. With 30% wheat, this IPA is easy drinking and light bodied.
- Trillium / J. Wakefield - Affogato : In collaboration with J. Wakefield Brewing, Affogato Imperial Stout is inspired by a few of our brewers' favorite summertime pick-me-up (& cool-me-down) Barrington Coffee Roasting Co's affogato. Our Affogato Imperial Stout is delectable, decadent, and smooth. Brewed with a blend of Barrington Coffee Roasting Co. & Mostra Coffee beans, Affogato leads with aromas reminiscent of Vietnamese iced coffee (cà phê đá) - powerful course ground dark roast coffee poured over sweetened condensed milk & ice. Flavors of dark espresso, tiramisu, sweet chocolate cake, and smooth vanilla swirl across the palate. Rich flavor & a dark, inviting appearance, Affogato Imperial Stout is our answer to a sweet summertime treat. 
- Permutation Series #26: Black IPA : Permutation 26 presents an opaque deep black color. The nose reveals an interesting mix of roasty, chocolate, and dark pretzel aromas paired with notes of pine and an inviting floral scent. The palate follows with flavors of dried apricot, pine, juniper and a light roast character. Smooth, light bitterness, and a dry mouthfeel round out this Black IPA.
- Mariner : As the leaves tumble and fall, we reach for a beer with depth. Mariner is an autumnal, copper coloured ale, featuring roasted malt with full complex toasted aroma’s, nutty flavours and hints of biscuit.
- Chocolatededed : Chocolate coffee stout. Brewed with brown sugar and all of the darkest malts available to mankind. Gently hopped with simcoe and conditioned atop a blend of Mexican and Belgian chocolate as well as Awake Minds coffee.
- America's Gold : America’s Gold is our flagship beer, a kolsch style ale that is light gold in color with hints of fruit in the nose, this quickly fades into a crisp clean finish that leaves you asking for more. The perfect all around beer brewed with all natural ingredients and at an ABV of 4.6%. Perfect for the All-American taste buds! Enjoy.
- Milk N' Cereal : Lactose brown ale with all the ingredients you would find in a bowl of cereal; milk, wheat, barley, corn, sugar & fruit.
- Bayern Bakken Bock : The number of fans and friends of Bayern Brewing has steadily been increasing out in Eastern Montana. Bayern Brewing wanted to recognize the hard-working folks who are "Rockin’ the Bakken" by honoring them with our own black gold, a German Dark Doppelbock called "Bakken Bock." Bayern Brewing has been brewing authentic Bavarian beers like its award-winning Doppelbock for over 20 years. Bakken Bock is a lager, so it is smooth and does not have the rough bite and/or aftertaste of other dark beers such as stouts or porters. It is also moderately-hopped with German Hallertauer Perle and Czech Saaz hops, so it is a well-balanced treat after a hard day on the oil fields. Of course, with a starting gravity of 18+ degrees Plato and an 8.4% ABV, it means you really ought to heed that warning about no operating heavy machinery after drinking Bakken Bock.
- Magna Carta IPA : Magna Carta liberates the American taste buds from the perverted notion of what makes an IPA. With a traditional noble hop regimen complimenting a complex British malt profile, this beer has a flavor to take down the crown!
- Glorious BelGene : The latest in our rotating series of Belgian ales is dry-hopped with Fuggle hops. Their earthy herbal qualities balance the heavenly fruity notes of this familiar Belgian yeast variety. This beautiful balance of yeast and hops has a glorious golden malt body, try the new BelGene before it is gone!
- Framzwartje : Framzwartje is a very special project here at Funk Factory and may be the best beer we've ever had the chance to make. The project started when Forager Brewing told us they had managed to pick 80 lbs of wild blackcap raspberries. There is no commercial source for these berries. You literally have to forage them from the woods, and it take a lot of dedication to make up 80 lbs of these incredibly tiny berries. Our fruiting rate is 2lbs/gallon, so we hand selected a single barrel for this beer. The barrel we chose was an 18 month old Methode Lambic barrel.
- Ragnarok : A robust Aesir porter brewed with our friends, the band Amon Amarth. Deep-roasted malts and honey give this beer its dark color and rich mouth feel. When Heimdal sounds the Gailar Horn for the last battle, this is the beer the gods will drink.
- Comme Un Jardin Sous Acide : Summer fruits Berliner Weiss Rhubarb-Strawberry
- Makin' Groceries : A robust sweet stout enhanced with the addition of roasted sweet potatoes, roasted cashews, and cinnamon, this collaborate with Bros Brasserie's Ryan Tracey is a bold, yet smooth desert beer that balances the complexities of the adjuncts with the robustness of the sweet stout.
- Gold Rush Pale Ale : Gold Rush Pale Ale is an American style pale ale providing a clean, golden color. Boldly layered with carefully selected hops that compliment traditional malts, it provides subtle fruit notes and balanced hop character.
- Moat Scottie's IPA : Our version of a West Coast Style IPA. There are 12 pounds of hops in every 7-barrel batch, with a solid malt backbone to hold up to the bitterness and hop flavor. Bright amber with orange hues and a dense rocky off-white head. The nose smells of pine and grapefruit with earthy notes and a hint of tropical fruit. The roundness of the malt carries the flavors through this hop-forward beer. The bitterness is persistent to the dry, clean finish.
- Pecos Porter : The traditional ale was drank by porters in England. Our porter brewed in the “robust style” is full, roasty, and chocolaty with a slight fruitiness from cascade and centennial hops.
- Jorts : Jorts is a DIPA that is dry-hopped mainly Styrian Cardinal and a little bit of Columbus. Jorts has notes of passion fruit, lemon-lime, berries, pineapple, & an earthy bitterness. This is the first time we used this hop and we love it. Best way to describe its results is a blend of Citra & Galaxy.
- Disappearance : Imperial Stout with Blanchard's Coffee Roasting Co. Hand Shake Blend coffee and cacao nibs nibs. This super complex and chewy stout has notes of German chocolate fudge cake, chocolate tiramisu with a dusting of brown sugar.
- Burnin' Love : Imperial stout aged for 9 months in a 30 gal. Koval bourbon barrel, then cold conditioned on dark chocolate, cinnamon sticks, and ancho chile peppers.
- The Farmer's Friend : A refreshing specialty ale with a malty, fruity backbone, hopped just to balance. The addition of malted rye adds a dry fruity complexity to this ale. Brewed with rye, flaked maize, Belgian malts, and balanced with noble hops.
- Grapefruit IPA : It’s dangerous to go alone…take this with you. Arcade Brewery has crafted this very sessionable IPA featuring citrus hop aroma and the addition of grapefruit; creating an awesome balance between hop bitterness and the citrus bite. A fine balancing act of biscuit malts allows a long hop finish wont fatigue taste buds; allowing the second pint to build off the first. An immensely sessionable ale, [the] Grapefruit IPA will win over all drinkers and give IPA lovers a new take on the incredibly popular style.
- Dunkel : A winter stablemate to the Emerson’s Weissbier, a delicious dark wheat beer brewed with a potpourri of different malts to achieve the tasty complexion; Canterbury lager malt, German wheat malt, crystal, caramunich, then finally caramelised and roasted wheat to complete the malty depth of flavours.
- Black Jack Porter : Slight malt Sweetness with notes of dark chocolate, espresso and herbal hops.
- Bully! Porter : The intense flavors of dark-roasted malt in Boulevard’s rendition of the classic English porter are perfectly balanced by a generous and complex hop character. Bully! Porter’s robust nature makes it the ideal companion to a variety of foods, from seafood to chocolate.
- Willow : Boldly-hopped India Pale Ale exclusively brewed & dry-hopped with Nelson Sauvin hops; exceedingly dry & packed with aromas of New Zealand Sauvignon Blanc, fresh-cut grass, pine & passion fruit.
- Jim Beam Belgian Quad : Aged 9 months in Jim Beam bourbon barrels. Well balanced with malty goodness, complex fruit, bourbon, vanilla, and more. The special Belgian yeast strain used adds subtle classic Belgian aromas and flavors that meld perfectly with the pale and crystal malts. Dark amber in color, this beer will transport you right to Belgium.
- Dunkel Weizenbock : A darker, stronger version of a hefeweizen. Unfiltered, with all the same fruity flavors of banana and spicy clove and slight tartness, plus a malty caramel sweetness and an extra kick. Pair with acidic dishes like fish with lemon caper sauce or with caramel deserts. Serve garnished with a lemon if you must.
- Black Shox Porter : This American Style Robust Porter has a complex roast flavor with chocolate and coffee overtones. We make our porter with a combination of American 2-Row barley and a number of speciality malts, including chocolate malt, a variety of Crystal malts, and oats. American Style yeast gives this beer a clean flavor profile, and allows the Cascade hops to balance the roast flavors of the more highly kilned malts.
- Prodigal Ale : A dark black ale in the Porter style, though slightly less malty and with a crisp, roasted finish. Welcome home, wayward one.
- Floret : As we continue to embrace this amazing summer we are having we keep trying to brew the perfect summer beer. This beer is another open fermented saison/farmhouse inspired ale. We brewed it with a mixed grist of our favorite rustic grains and let it ferment warm in our open fermenter. The addition of locally sourced dandelion flowers at the end of the boil adds a nice floral character while the lemon and bee pollen in conditioning adds notes of honey, beeswax lemonade and tartness. It's incredibly complex for being such a small beer
- Mutiny : A Jamaican Rum Barrel Imperial Stout, this bold rich beer has complex flavors and comes in at 12% abv.
- #WHISKERStOUT : Aromas and flavors of dark roasted malts, molasses and a hint of chocolate. Moderately dry and with just enough alcohol warmth to let you know it’s there, our export stout will make you want to wrap your fingers around a pint, cozy up to the bar and enjoy some quality time together.
- Avenyn By Night : According to the brewer, this is an "American Dark Ale".
- R&D Vintage 2014 : Vintage 2014 is blend of 1, 2 and 3-yo beers aged in oak. Complex citrus, horsey notes; fruity and farm aromas.
- Sugar Plum Brown Ale : Cigar City Brewing's official celebration of Christmas. A rich-bodied brown ale forms the stage for holiday flavors which dance a festive ballet highlighted by pirouetting leaps of Christmas inspired spices. Cinnamon, ginger, cardamom, rose hips and chamomile compliment the subtle chocolate and light coffee notes of the malt and the addition of roasted carob and chicory complete the performance. Brewed once a year to celebrate the Christmas season. Pair with fresh cracked nuts, fruit cake and share with friends and family. Merry Christmas from the CCB family!
- The Albatross : Dark sepia color, spicy whiskey aroma, bitter chocolate flavor, medium-rich body.
- Bootleg Blonde : Clean and refreshing with a fine balance between malt and hops. This blonde ale lets the delicate complexities of beer shine through.
- 100 Barrel Series #08 - Smoked Porter : The Harpoon 100 Barrel Series Smoked Porter is brewed with German beechwood rauch malt and a blend of eight other malts. This porter style ale is full-bodied and malty. The smoked malt imparts a complex but pleasant aroma and flavor with a balanced and subtle hop finish.
- Mosaic IPA : An American pale ale bittered, flavored, and dry hopped exclusively with Mosaic hops—a Simcoe offspring—you'll find mango, lemon, citrus, earthy pine, tropical fruit, herbal and stone fruit characteristics.
- Reginald Brett : Strong Wild Ale- Once a Liberal Party politician in the U.K., the “Viscount Esher,” aka Reginald Brett, left a strong impression on his native England as this latest offering from Barrelworks will leave with you. Yet another Barrelworks creation with DBA roots, this beer begins as Double DBA and is selectively matured in bourbon barrels for several months. A further 18 months of secondary fermentation and additional maturation in French and American oak barrels creates unparalleled depth and complexity. This hefty brew is brimming with a full spectrum of flavors and aromas: Nutty sherry aromas mingle with Oak, then give way to a Cointreau-like boozy orange zest. Tart cherries linger as the acidity builds on the palate. Vanilla, nutmeg, and cinnamon provide a supporting cast. The whole experience is reminiscent of a Manhattan cocktail. To be sipped and savored. A santé!
- Quattuor Grana : A saison like brew made with barley, oats, wheat and rye. Fermented with a farmhouse yeast. It is dry, fruity, earthy and funky with hints of barnyard and grain. Bottle conditioned. Sediment will develop. Unfiltered, lively and complex.
- Cordial BBLs : Blend of Black Tuesday, Tart of Darkness and So Happens It’s Tuesday with cacao nibs, cherries & vanilla
- Coffee Is Life : Barrels, barley and beans. Our three favorite elements join forces to help carry the banner for the resurgent barleywine movement. This rich, malt-forward, barrel-aged barleywine-style ale spent part of its life with freshly roasted coffee beans, from our friends at Dark Horse Coffee Roasters, added directly into the bourbon barrels. The final combination, featuring nuances of caramel, vanilla, toasted coconut, mocha notes and oak, is now ready for you and whatever life throws your way.
- Valleyview Vanilla Porter : Is it a beer or dessert? A pleasant vanilla bean aroma beckons even the timid palate to sample this decadent porter. Dark roasted grains and substantial hopping add coffee notes and additional complexity across the palate. A slight raisiny and dark fruit character in the background help tame some of the bitterness and guides the beer into a long lasting roasted vanilla finish.
- Bitter Chris : Single Hop Pale Ale, classically hopped with Columbus. Resinous, grapefruit, and assertive.
- Debut #8: Barrel-Aged Tripel : This is Starr Hill’s own take on the classic ale made famous by the Trappist breweries in Belgium. Fruity flavors complement spicy yeast character, while barrel aging adds notes of oak, vanilla and bourbon, creating a complex beer perfect for sipping.
- Moeder Series: Hiver Joie : A Dark Strong brewed with cranberries, plums, coriander, and dried orange peel, then finished with our house proprietary brettanomyces and barrel-aged.
- Monsters' Park - Tequila Barrel-Aged : This is Monsters’ Park, our hulking, cantankerous imperial stout, aged in fragrant, agave-soaked tequila barrels, resulting in a stunningly unique character that’s as intriguing as it is delicious. Earthy aromas of roasted agave give way to rich flavors of dark chocolate and peanut brittle with a tantalizing hint of spicy vanilla.
- Short's Village Reserve : Fermented as "beer" from wort extracted from fully modified two-row pale malt which provides a beautiful straw color. This beer is aggressively hopped with Perle and Centennial hops. Its light body and low alcohol allow the hops to become more prominent throughout the beer. The floral aroma is attributed to heavy handfuls of centennial hops at the finish of the boil. Hearty handfuls of hops lend a grape fruity tone in the flavor and finish of the beer.
- Opal IPA : Opal is a New England style, unfiltered IPA with an addition of flaked oats in the grain bill. It has a light malt profile but sturdy body from the added oats. Chinook, Centennial, and Simcoe hops create a hop-forward beer with notes of tropical fruit, peach, and a floral nose with a strong bitter finish.
- Kiwi Strong Pale Ale : This crisp yet hardy Strong Pale Ale is hopped exclusively with the New Zealand varieties we have on hand (Hallertau Aroma, Motueka and Cascade). The aroma is beautifully fragrant, reminiscent of ripe citrus fruit and flowers in bloom. A honey-malt sweetness in the mouth quickly gives way to an invigoratingly brisk, bitter-dry finish.
- Prior Pale Ale : Pale ale with notes of strawberry and passion fruit.
- Ginger Citrus IPA : Aromatics from the fresh grapefruit and lemon peels underline the hops’ citrusy notes. Unique, yet ideal, flavor combinations of Warrior and Cascade hops intertwined with citrus peels gives this big IPA a powerful, impacting finish. Available on draft.
- Big Ern Murkcracken : This New England Double IPA is dry hopped with 5 pounds a barrel of Mosaic and Simcoe, giving big tropical fruit and citrus notes.
- Green Hour : Green Hour is a fresh hop saison that has the distinction of incorporating hops from the first and final days of harvest. It started with well over 100 pounds of fuggles picked up just hours after harvest began, going in on the hot side of the brewday on August 17th. The beer was then open fermented with a flavorful French saison yeast and cold conditioned until September 14th, when we added Liberty hops from the very tail end of harvest. Both varieties play well with the fruity and spicy yeast, yielding an exciting beer with an extra dry finish.
- Desay A L'Orange : A blend of three Gin barrels of 14 month aged Saison. We added orange peel in barrel to highlight the beautiful citrus character from the wild fermentation, then subtly dry hopped at blending with floral and fruit forward northwest hops. Big orange and spicy botanical aromas and flavors.
- German Wheat : Brewed with all German grain and yeast, our beer is a pale, spicy, fruity, refreshing wheat-based ale. This style of beer includes 50% or more of wheat and features a unique banana/clove yeast character.
- Antigluten Cherry Ale : A gluten-free cherry ale made with sorghum, brown rice, tart cherries and Belgian candi sugar, resulting in a beer with light golden color, medium body, medium maltiness, low caramel character, cherry flavors and high fruity-esters.
- Kromer Juice: Mango : Mike Kromer magic lemonade with mangoes and lots and lots of Passionfruit
- FE 15 Anniversary Ale : A full-bodied American Imperial Tripel. Gold in color. Huge malt character is balanced by complex fruity character of plums, spice and bananas. Generous addition of American hops imparts a citrus, tropical fruit and pine aroma and flavor.
- Not Tom : Our resident Tom doppelgänger, Kyle, brewed up this special 10 grain Rye Stout with 3 types of Rye, plus 7 additional malts. The earthy and herbal notes from the Nugget and Willamette hops create a complex spiciness to match the incredibly deep roastiness of this dark brew.
- Base Camp Oatmeal Porter : Base Camp Oatmeal Porter is a dark and warming porter with hints of biscuit, caramel and dark chocolate. Medium in body, this porter is packed full of deeply roasted malts and hearty oatmeal leading to a silky smooth finish. Inspired by the comfort of base camp, this porter will warm your belly and ease your soul.
- Black Rye Bock : This dark lager combines the characteristics of three winter beer styles. All three of these styles traditionally come from the colder harsher areas of Europe. The styles are (1) Black Beer (aka schwartzbier) originating from the former East Germany); (2) Rye Beer which at one time was only made in hardier areas of Eastern and Baltic Europe; and (3) Bock Beer which is widely known as a higher alcohol lager of Northern Germany. Our Black Rye Bock has a distinctive bitter chocolate palate and black color reminiscent of a black beer. The spiciness from the rye malt shines through in the flavor. The high alcohol balanced with malty sweetness rounds out this cold season bock. Smooth drinking with a punch makes this lager a perfect quaffer for our Arctic winter.
- Fractal Mosaic : Fractal Mosaic is the first release from our small-batch Research Series. A fractal is something simple at the core yet can produce wonderful and amazingly complex results. The fractal series will have only pale malt and a single hop (simple). We will use these beers to investigate how different hops manifest through our processes, allowing us to optimize both our use of hops and our hopping techniques. Fractal Mosaic pours a resinous-hazy-straw yellow releasing complex aromas of dank citrus, earthy grass, tropical melon, and a hint of berries (complex). The taste is highly resinous, piney, juicey, with a slightly creamy mouthfeel, and a firm but rounded bitterness. The medley of characteristics makes the name “Fractal Mosaic” warranted indeed.
- Dogs & Boats : Utilizing some hard to come by hops (Citra & Mosaic) this big juicy DIPA yields loads of citrus, tropical fruit and even red berry notes.
- Brush : Brush is our witch crafted imperial stout in collaboration with Omnipollo. This dark, rich, full bodied ale is brewed with marshmallow, vanilla bean, cocoa nib, hazelnut coffee, and ancho chilis.
- Nutty Black : Formerly called "Dark Mild"
- Mango Pop! : Mango Pop! is in our series of creamsicle-inspired Berliners. IT pours an opaque yellow with a fruited acidity that is balanced deftly by a delicate ice cream sweetness from the milk sugar and vanilla. The beer never becomes cloying and each sip demands another.
- Barrel Project #3 : Our latest brettanomyces project release explores the realm of the Light American Lager. We took our first batch of Aslan Lite, which was brewed with American Lager yeast, and filled a couple red wine barrels with it. One American white oak, one Hungarian oak. Then let the house blend of brettanomyces do its work over the course of 10 months. What you get is a Pilsner with brett. The horesey nose leads to a slightly fruity entry on the palate that finishes quite dry. It’s not an overly complex beer, but a fun and unique take on barrel aging with brettanomyces.
- Deer Abbey : Belgian yeast always produces unique flavors and this beer is no exception. Dominated by rich, malty characteristics this Belgian Brown Ale also features hints of dried fruit, toffee, and even some lingering Belgian yeast flavors. Nothing was typical about this beer’s creation and we’re sure you’ll find it interesting as well.
- Terrapin Poivre Potion : Traditional beers with a twist on their style has been a Terrapin ritual since the beginning. In keeping up with tradition, our 2015 employee beer “Poivre Potion” Dry Hopped Imperial Pink Peppercorn Saison, fits the bill. Brewed with pink peppercorns for a complex spice, and dry hopped for some extra aroma, this multifaceted beer will keep you guessing on which flavor comes next.
- Chupacabra Quinceañera : Chupacabra Quinceañera is a refreshing 100% Brett-fermented blonde beer bursting with clean tropical aroma from the unique brett strain used for fermentation. These notes are complemented with the subtle use of Simcoe and Amarillo hops, which add layers of tangerine and passionfruit. It's quite the party.
- Unkel Dunkel Dunkelweizen : Similar to a Hefeweizen, these southern Germany wheat beers are brewed as darker versions (Dunkel means "dark") with deliciously complex malts and a low balancing bitterness. Most are brown and murky (from the yeast). The usual clove and fruity (banana) characters will be present, some may even taste like banana bread.
- Shackamaximum : This is a rich, dark brew made with chocolate and Munich malts and aged on French oak.
- Scratch Beer 125 - 2013 (Cranberry Porter) : The cranberry is one of only three fruits that can trace its roots back to North American soil. Although its growing season begins in September, the cranberry is most associated with the winter season, especially around the holidays. Since this little red berry resonates with so many people during this time of year, naturally we thought, “Why not brew a cranberry beer?” Typically, cranberries are viewed as too bitter and sour to eat raw. However, this magic ingredient lends a pleasant tart, fruity finish and complements the roasty character of this robust porter, giving Scratch #125 a simple yet festive charm.
- Decadent Lamentation : This dark sour beer aged in port barrels was infused with cacao nibs and vanilla beans.
- Jewel Throne : Jewel Throne was produced through the aging of a mixed culture golden ale on Colorado-grown apricots. Over a pound-and-a-half of fruit was used per gallon of beer. Blonde-orange hued. 5.5% ABV.
- Passion Fruit Guppy : Session Pale Ale brewed with Honey, Passion Fruit, & Citra Hops
- Juneberry Jam : Made with 88 pounds of juneberries! Our beer pours a purple hue with a light head. A fruit forward juneberry flavor with a light grain aftertaste for a great summer taste.
- Winter IPA : The Winter IPA is stronger, darker, and hoppier than our Singlemalt IPA. This hop forward beer is brewed with Cascade, Amarillo, Mosaic, and Chinook hops. The hop flavor and aroma spans a wide profile of piney, sweet fruits, and a noticeable bitterness. The complex grain bill gives it a rich amber color, a full body, and a dry finish. 
- South Pacific : An IPA brewed with four varieties of malts and three varieties of hops. South Pacific features hops from New Zealand and has tropical fruit notes with hints of stone fruit and lychee that finishes with a resinous piney bite.
- Hillrock BA Dark Matter : “We are much more certain what Dark Matter is not than we are what it is.” -NASA aged 10 months in Hillrock barrels
- Pale Ale : Our American style Pale Ale is a hop lover's dream. We craft this copper colored ale to supply a moderate bitterness and an aggressive hop flavor and aroma. Willamette hops pitched early in the boil give a clean, soft bitterness. Late kettle hops include Northern Brewer, Simcoe, and Chinook for plenty of pungent pine and citrus character. Judicious amounts of four specialty malts add counter and depth. Expect a medium bodied brew with an assertive, complex flavor and a dry finish.
- Canyon Of Heroes : As it's written, the dark, long and narrow Canyon calls to many. Men carry the light into darkness, and while most fall forever into the shadows, a fine few walk tall through the Canyon and live as Heroes. 
- Brewdog Paradox Heaven Hill : Paradox Heaven Hill is our smooth imperial stout with a dark vanilla twist; gentle woody and spicy notes blend with chocolate and roasted coffee, in an intense and complex labyrinth of aroma.
- Ginger & Juice : Ginger & Juice combines pureed ginger, grapefruit juice and peel, buckwheat and a secret proprietary hop strain to create an intriguingly spiced and hopped lager. Aromas of citrus, melon, and ginger balance a firm bitterness. Uses locally grown buckwheat from MA. Lay back, sip on Ginger & Juice.
- Negra : A traditional malt-balanced Munich style Dunkel brewed with a Mexican style yeast for a refreshing dark lager. ¡Salud!
- Embrace The Funk - Passionnè De Pêche : We teamed up with our friends at Foeder Crafters to build a custom oak tank for this collaboration. A golden ale matured for over a year in our American Oak Foeder with wild yeasts and bacteria before conditioning on Passion Fruit and Peaches.
- Portsmouth Royal Impy Stout : A super dark, fulll-bodied Russian Imperial Stout with flavors of dark chocolate, raisins and sweet coffee that takes over the mouth. As it warms hints of aged oak help balance the alcohol in the finish. Layers of flavors in this beer is proof that great things do come in small packages. 
- Cascaderade : The name's inspired by the Cascade hop, of course, and this one's were grown in Yakima Valley. Hop lineup? "Cascade, Perle, Falconers. And more Cascade." Lagers aren't supposed to taste like this. At least, that's what one curmudgeonly dark corner of your head might say while the rest of you gets the hop tingles. Sudwerk's Cascaderade is a dank, juicy, generous take, while the lager fermentation means there's less fruitiness to get in the way of the Cascade additions.
- Scratch Beer 126 - 2013 (IPA) : Although we’re in the midst of the cold and flu season, our minds have turned to the warmer weather of the Southern Hemisphere. But even more so than the climate “down under,” we’re most excited about the bounty of Galaxy hops that have turned up at the brewery. At Tröegs, we can’t help thinking tropical! With an invigorating aroma and versatile flavor profile, Galaxy hops release a palate of tropical fruit diversity. As winter looms in the not-so-distant future, why not ponder a light tropical breeze rather than frostbite? Scratch #126 will overwhelm your taste buds with the ripe succulence of peach, passionfruit, lemon-lime, papaya, pineapple, and mango.
- Imperfect Haze : IPA brewed with experimental grapefruit and mosaic hops. Fermented with Conan yeast! Brewed in honor of Tom Estes and his search for the perfect beer.
- Seed Series #016 : The juice is loose! This juicy Pale Ale is double dry-hopped with Mosaic and Azacca hops. Bursting with ripe mango and passion fruit flavors, Seed Series #016 is soft and delicate.
- Bacon Face : WARNING: THIS DOES NOT CONTAIN BACON!!! Our 6th commercial beer and one we are VERY proud of. Good body, lots of flavor, wonderful aroma and just a great beer. Don't leave the brewery without trying this one, even if you don't like darker beers. Named after Baconface, the beloved dog of a good friend of the brewery.
- Buck Shot : Made with 10% buckwheat giving this beer a unique mouth feel and a nutty/earth character. Medium bodied, complex flavors yet balanced between earthy malt and delicate hops.
- The Truth Imperial IPA (India Pale Ale) : FULL DISCLOSURE: This beer came to fruition because we saw a gap in our portfolio and we wanted to increase our market share.
- Raspberry Wheat : Brewed with the German pilsner malts and hops; the beer is aged on a raspberry puree from Oregon. There are no artificial flavors or extracts. It is a great beer for drinking on hot summer days; very refreshing, crisp with a bright fruity palate and aroma.
- Enefkay : Enefkay (“NFK") is our tribute to the city we call home: Norfolk, VA. Our India Pale Lager is a smooth, satisfying Lager with the hop forward flavor of a juicy American IPA, but with drinkability of a Pilsner. Hallertau Blanc & Cascade hops lend a harmonious blend of Citrus and Tropical fruit character to both the aroma & flavor. 
- Saison Du CoStar : The spice and fruit notes of this summer beer will wake up your taste buds. Brewed to be a light farmhouse ale, this Saison starts with a berry fruit and finishes with the pepper spice traditionally found in it’s predecessors. The light color can be misleading with the aggressive taste that follows for the drinker. The German and Czech hops support with a bitterness that accentuates this style which CoStar believes will transport the consumer back to the farmhouse worker days of the historically French speaking parts of Belguim
- Galactic Tangerine : A double dry-hopped DIPA brewed with Galaxy and Motueka hops. All Southern Hemisphere hops, a yeast blend that exudes tropical fruit characteristics, and tangerine juice makes for a juicy, smooth brew perfect for warp speed.
- Caramel Apple Tripel : Caramel Apple Tripel combines the fruity caramel character of traditional Belgian-style Tripels with dried apple and brown sugar sweetness. ABV: 9.4% IBU: 30
- Port Everglades Porter : Our house Porter is robust in character from the use of a complex malt profile. This beer presents itself as opaque blackish-brown in color with a khaki head and aromas of roasted grain, molten dark chocolate, smoke, fresh dough, and mixed nuts. Sweet baker's chocolate, caramel, roasted grain, and smoke stick to the palate with a semi-dry and slightly bitter finish. This Porter is the canvas to which the C Porter and the Thrillist Coffee Porter are based.
- Intense Party Atmosphere : A super modern take on the westcoast IPA. Crisp, refreshing, dry and fruity. Bitterness and malt profile play second fiddle to the fruity aromatics of Ahtanum, Cascade and Loral hops.
- Fuzzier Yellow : Peach Double IPA brewed with oats and conditioned atop an abundance of house processed peaches from our friend Ben at @3springsfruit. Hopped with Amarillo, Mandarina Bavaria, Hallertau Blanc, Equinox, and Mosaic. Things get fuzzy fast with this many peaches!
- Ceresia : Latin for "cherry," Ceresia is a red sour ale aged on that most decadent of fruits. Featuring a playfully tart body, this ale adds sharp, sweet, and sugary notes from its aging process with cherries. Sour connoisseurs will immediately appreciate Ceresia's tart character, while newcomers will be welcomed in by its fruity balance. Ceresia is a field in full bloom, bearing fruits to celebrate the season's bounty.
- Cuveè Batch 001 : The Cuvee series consists of individual barrels selected by the brewery that have been aging a minimum of 1 Year in different oak barrels. These beers are American Sour Ales that have been aged with various "Wild Yeasts" as well as different strains of Bacteria that give off complex tart and funky flavors.
- Velvet Merlin Oatmeal Stout : A decadent oatmeal stout. Velvet Merlin offers robust cocoa and espresso aromas with subtle American hop nuances. Rich dark chocolate and roasted coffee flavor with a creamy mouth feel and wonderfully dry finish create the perfect balance in this full-bodied stout. Ideal for sipping in the winter months or at the end of a meal. 
- Augusta Saison : Our Saison Farmhouse Ale is amber & malty with a hint of fruit finish.
- Aiken Nut Brown Ale : This brown ale has a mildly nutty character, gentle sweetness and low bitterness making it a delightful “sipping” beer!
- Stray Monk : Stray Monk starts off by showing the classic characters of a Belgian Trappist Single, but adds a touch more caramel and nutty flavors from our use of additional caramel malts. I like to think of this as a beer made by a young monk who got a little experimental when the boss wasn’t looking.
- Alligator Ale : Our Alligator Ale is a rich mahogany colored ale with a surprisingly smooth finish. This beer is perfectly balanced with flavors of dark malts and hops.
- Midnight Rhapsody : The dark is nothing to fear with a beer this smooth and approachable. Roasted malt counterpoints a chord struck with black currant, cherry and raspberry. It has subtle sweetness and soft bitterness that echo in the aftertaste. It’s hard not to dance to the tune of Midnight Rhapsody.
- Scratch Beer 220- 2015 (Amber Ale) : Amber Ales tend to explore both ends of the flavor spectrum by incorporating sweet or toasty malt characteristics with bright, floral hops. With Scratch #220, we’ve entered uninhabited terrain. This 11.8% ABV beast combines a chewy grain bill, plenty of dried fruit and burnt sugar, and a complex array of spice, lemon, and grapefruit notes. Welcome to the third dimension of Amber Ales.
- Collin's Folly : A tawny, robust, malty sour bomb with bright tartness and dark fruit notes.
- Ortucky Common : Dark rye sour ale brewed at Commons and fermented in second-use Bourbon barrels with slurry captured from DeGarde's BuWeisse as well as one of Commons' house yeasts.
- Oria - Pomegranate : This hopless sour saison has been bottle conditioning for 5 months now and is drinking like liquid sour-patch kids - so tart, so fruity. Aged with 250lbs of hand seeded pomegranates!!!
- Left, Nut Brown : Back (Yes, patience pays off!) as our Winter Warmer, our American brown ale is brewed with Golden Promise base malt for the nutty character, tempered with an abundance of Crystal 120L, Munich and chocolate malts to give it a malty richness. Northern Brewer and Mt Hood hop additions balance the nutty, malty profile. The kicker is the five pounds of honey per barrel to finish the flavor.
- Huesito : Introducing Huesito, a blended sour ale that begins by aging our golden sour from our foeder on California grown apricots. Following several months, Huesito is packaged after being blended to the preferred balance of acidity and fruit character with our foeder saison.
- Ancient One Bourbon Barrel Aged Dark Star : Ancient One Bourbon Dark Star is a blend of 18 and 30-month Bourbon Barrel-Aged Dark Star in 12 and 35-year old Heaven Hills barrels. Using these rare, 35-year old bourbon barrels creates a truly unique, one-of-a-kind beer. The roasted and chocolate malts complement the smooth oats to bring you a stout delight wrapped in a gentle embrace of bourbon barrel-aged warmth. A touch of sweetness dances in balance with the hops to finish with a wave and then she’s gone. 
- Black Diamond Stout : A medium stout, black in color with a full tan head, complex roasted malt flavor with balanced hops.
- Carrabassett Harvest Ale : A traditional American Brown Ale, our Harvest Ale was brewed with cool autumn nights in mind; smooth and drinkable, this beer offers a pleasantly complex malt character with just the right amount of Pacific Northwest Liberty Hops, creating the perfect beer to complement heartier fall foods or just kicking back on the porch swing and admiring the fall foliage.
- Fume : There was a time when all dark beers had a smoky flavor. Grains were traditionally roasted over an open flame. Then technology took over. Blank Slate’s Smoked Porter pays homage to those early days. Unlike many traditional smoke beers which are smoked with Beechwood, Fume uses Cherrywood smoked malt which gives this Brown Porter a very refined smoke character with a unique flavor profile.
- Alternator Doppelalt : A stronger version of our German altbier it has a rich bitter sweet palate from Munich malt balanced by noble German hallertau hops and a hint of cascade hops thrown in for interest. Strong and warming with complex fermentation flavors, it is especially suited for enjoying with food.
- Samuel Adams Rebel Grapefruit IPA : Brewed with real grapefruit for an added punch of citrusy goodness that amplifies the tropical fruit and citrus notes from the hops. A hint of juiciness rounds out the bitterness and brings a refreshing finish to this bold, bright, thirst-quenching IPA.
- Van Helmont Flanders Red Ale : A collaboration with Headlands Brewing, this Flanders Red Ale (Acid Ale) took a year in the barrel to get that light, soured flavor. Sure to please on a dark night or a sunny day.
- Ghost : Hazy and pale, with light berry and citrus notes from the combination of estery Belgian yeast and fruity American hops. A perfect hybrid of two very different styles.
- Oh My Quad : Belgian quadrupels are a prized beer. They take months to create and are full of rich dried fruit and toffee-like flavors. This ale was aged in Silver Oak Cabernet Barrels for four months leading to a divine beer that is perfect for pairing with fine cheeses, gamey meats, and a fire. Available in 10oz pours only.
- What Big Teeth! : Chock full of Azacca and Mosaic hoppy goodness. Expect aromas of tropical fruit, pine, grapefruit, and orange, as well as notes of citrus. Finishes with a nice bitter bite.
- French Toast : French Toast is an 8% DIPA and the next iteration of our Breakfast DIPA series. French Toast was brewed with oats, maple syrup, lactose and cinnamon and dry hopped with Citra, Mosaic and El Dorado. The result is a complex unity of flavors that taste like your favorite weekend breakfast.
- Sawatch : Massive orange and tropical fruit aromas greet you upfront and let you know exactly what you are in for: an IPA with an aroma and flavor as beautiful and intense as the mountain range for which it is named. A firm hop bitterness balances the sweet bready and caramel malt backbone, neither one overpowers the other. Brewed with Simcoe, Amarillo, El Dorado, Citra, and Mosaic this is any hop head’s dream come true!
- Dunkel : Building upon the German Dunkel Weisse style, our Dunkel is a rich, dark and malty offering. Fermented with our house Hefeweizen yeast and bottled unfiltered, this is a sweet and robust play on a traditional wheat beer.
- Saint Arnold Fancy Lawnmower : A true German-style Kölsch. Originally brewed in Cologne, this beer is crisp and refreshing, yet has a sweet malty body that is balanced by a complex, citrus hop character. Multiple additions of German Hallertauer hops are used to achieve this delicate flavor. We use a special Kölsch yeast, an ale yeast that ferments at lager temperatures, to yield the slightly fruity, clean flavor of this beer. Fancy Lawnmower Beer is a world class brew yet light enough to be enjoyed by Texans after strenuous activities, like mowing the lawn.
- Shiner Bock : Tip back a bock. Brewed with rich roasted barley malt and German specialty hops, this lightly hopped American-styled dark lager always goes down easy. Originally a seasonal beer, fans have demanded it year-round since 1973.
- Labatt Blue : Labatt Blue is the best-selling Canadian beer in the world. Introduced in 1951 as Labatt Pilsener, it was named for the colour of its label by fans of the Winnipeg Blue Bombers football team. Blue was the first brand in Canada with a twist-off cap and won the silver medal in the International Lager category at the 1998 Brewing Industry International Awards. Labatt Blue, brewed using specially selected aromatic hops, is a well-balanced, fully matured, full-flavoured beer with a fruity character and a slightly sweet aftertaste.
- Yuengling Black & Tan : Yuengling Black & Tan models a traditional English Half & Half. Introduced in 1986, Yuengling produced one of the first hand-crafted draft blends to lead this style of American brewing. Black & Tan combines 60% of our popular Dark Brewed Porter and 40% of our Premium Beer to create a brew that is rich and dark in color with hints of caramel and coffee from the dark roasted malts.
- Humble Patience : The result of mystical exhortation and strange portents in the sky, Humble Patience was complex without being heavy...a marriage of many riches. An Irish-Style, deep-ruby Red Ale with tantalizing layers of flavor.
- Oktoberfest : Oktoberfest beer as we know it has been a part of classic Bavarian lager repertoire for over 150 years, although the celebration itself dates back to 1816. The familiar rich amber lager we now know by this name originated in Vienna and migrated to Bavaria by the 1850s. Like the classics, our version is deeply malty, with just enough hops to provide a sense of balance. But our version lightens up the body a little to avoid being too sweet, making for a crisper drinking experience. We start with the classic Vienna and Munich malts, and use a few other types as well, for greater complexity as well as an easy drinkability. Slightly more hop bitterness as well as some pleasing hop aroma gives the Berghoff Oktoberfest a bit more punch and personality than the original.
- Mt. Nittany Pale Ale : An American pale ale brewed with Cascade hops and hop-backed with Citra. A real refresher with a spicy, citrus aroma and a slightly nutty malt flavor.
- Imperial Stout : Dark, rich stout with hints of coffee, licorice and molasses.
- HyveMynd : HyveMynd is our brand new Pine Barren Honey Double IPA brewed with heaps of wheat and malted oats. A huge quantity (240lbs/20bbls!) of Pine Barren honey from our comrade Patrick Ryan of Fruitwood Orchards was added during the tail end of fermentation to maintain it's delicate floral subtlety. Dry hopped into another sticky dimension with pungent Mosaic lupulin powder. Crazy ripe honeydew melon, drippy mango flowers, and dank ruby red grapefruit notes galore in this beauty.
- PM Dawn W/ Cold Brew Coffee : In another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, we bring you a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Sour Farmhouse : Farmhouse style ale fermented with Saccharomyces and Brettanomyces yeasts as well as Lactobacillus bacteria; fruity apricot aroma with light funky notes and sour dry finish.
- Scratch Beer 71 - 2012 (Dim Wit) : For Scratch #71, we’re revisiting the blissful world of white ales. This beer typically features a blend of wheat and barley along with spices and yeast to create a refreshing and complex flavor. With a dense haze from the red wheat and a foamy white head, Scratch #71 incorporates tartness and a delicate orange aroma that complements the spices and the LaChouffe yeast. The finish is dry and crisp.
- Forshem Winter Ale : Malts: Pilsner, carapils, dark wheat, choholate and caramel
- Left-Handed Monkey Wrench : This beer finds its complexity in a mix of fruit, spice and alcohol flavors. Aroma of subtle banana and fresh apple esters mingles with a light maltiness, while the flavor blends the slightly spicy yeast phenols and soft sweetness from the Belgian Pilsner malt. The finish is dry with a warming alcohol note.
- Rumination #1 : Think about it. Chew it over. Welcome to our experimental IPA series. Edition one begins with a heavy oat bill, lending way to a full bodied beer with plenty of haze. Subtle notes of tropical fruit and citrus from the dry hop additions of Mosaic and Belma. This series is meant to explore the boundaries of an IPA. We've messed with boil times, sugar & hop additions, and yeast to name just a few. Unsubscribe your mind to the outside and welcome yourself to what lies within.
- Pennant Pale Ale : Pennant is a demonstration in the fruity amazingness of Mosaic hops. These hops bring heaps of mango and peach to a beer with a bold flavor that's still plenty sessionable for the every day. Pale Ale lovers... Pennant is what you've been seeking. 
- Beijing Black : A strong dark mild, Mild but not Meek!!
- Divergent : Flappers have always been a symbol of change and rebellion, harkening to a time where challenging the norm was all the rage. This beer embraces and celebrates that vibrant, relentless spirit. Representing the rebirth of a brewery and the reclamation of a dream, this beer is a completely contradictory experience where the wort is soured, the hops are minimized and the beer is filtered to be brilliant. Crisp, delicate, cutting edge, complex and tart, pouring a bright citrine with a nose of gently soured rind fruit, this beer is exactly what is needed when looking for a little something…Divergent.
- Eater Of Dreams : Dark Sour Ale fermented in a Foeder then conditioned on Cascara (cherries from coffee plants).
- Wineification III : The Rues and the Parkers are back at it again! In this third rendition of Wineification, they continue to vanquish the boundaries between wine and beer, combining their brains and brawn with a blend of juicy grenache grapes from Rodney's Vineyard and Black Tuesday from The Bruery. Matured in a combination of bourbon and French Oak barrels, Wineification III is a complex and careful balance of rich, juicy grenache flavors, earthy tannins, artisan dark chocolate, scorched honey and bourbon warmth to embrace the winey character with open arms.
- Honeyman 14 : Our R&D IPA. Hopped with Sorachi Ace and Lemondrop in the kettle and dry-hopped with Experimental #07270, Centennial and Cascade. Beautifully bright golden straw color, intense floral and citrus aroma with big notes of red fruits. Crisp and dry finish with a nice smooth bitterness. The beer is named after our favorite hand truck manufacturer, Honeyman Aluminum Products in Portland, OR.
- Left Field Eephus Oatmeal Brown Ale : Our Oatmeal Brown Ale is inspired by the seldom thrown Eephus – a risky and unexpected high-arcing pitch that catches the batter off-guard. This American Brown Ale finds its sweet spot with dark, dried fruit aromas, a touch of bitterness and spicy woodiness, and a surprisingly creamy smooth taste.
- O Positive : This year’s version of O Positive, an American wild ale, is made with elderberry, pomegranate and red raspberry. This fruit bomb has over six ounces of fruit in every pint!
- Happy Hella Haze : Christmas Double IPA collaboration with Roughtail Brewing Co. Brewed with cinnamon, vanilla, lactose and fruitcake.
- Belle Royale - Kriek : A massive dose of Morello cherries gives a rich red hue, and complemented by the cherry pie notes courtesy Brett Brux, this rich, complex-yet-dry sour beer delivers layers of fruit and funk. Aged for a year in used French Oak wine barrels. Cellarable.
- Brown Rye Ale : Yet, another version using rye malt in the grist. In the brown rye, we add chocolate rye malt to give it a brown color and a deep roasted nut flavor. These flavors combine with the rye maltiness and spice, to produce a very complex brown ale.
- Stochasticity Project: Grainiac : This hoppy, deep amber-hued beer was created to shine a light on rare, unexplored grains seldom used in the brewing world. In addition to barley, wheat, rye and triticale, we added malted millet and malted buckwheat to bring the total unique grain count to nine. The earthy, nutty notes of granola found in this experimental multigrain malt bomb are complemented by the citrusy, piney flavors of four classic American hops. We dry-hopped the beer with Cascade and Centennial hops at the end, adding more citrus notes and rounding out the grain bill’s rich, bready character.
- Thunder Hole Ale : Delicious. Full-bodied. Complex. Sure, you can say all those things. Wouldn't it be a lot more fun to take a sip of this handcrafted brown ale and come up with your own superlatives? This is the brown ale that beat Newcastle, Sam Adams and more, at the World Beer Championships in Chicago.
- Stumptown Porter : Stumptown porter is brewed using abundant caramel malts and just a little roast barley to give this dark ale its sweet flavorful finish. 
- PM Porter : This award-winning dark ale is surprisingly smooth and drinkable. Caramel, molasses and chocolate flavors fill the palate. Its sweet start is perfectly balanced by a roasted dry finish. Nitrogen-conditioned.
- Irish Stout : This dense Irish Stout is bursting with deep notes of espresso and dark cocoa.
- Short's Black Diamond : The new Schwartzbier brew, which translates into a German-style black lager, will be called “Black Diamond”— giving it a nod to winter and skiing. Visually, black lagers can be deceiving, featuring an opaque, black color and a full, chocolatey flavor similar to stout or porter. But unlike its dark cousins, Schwartzbier features a bottom fermenting lager yeast, which produces a medium-bodied brew with a smooth finish that will be worth savoring.
- Grapefruit Blonde : Our Blondilocks Blonde Ale blended with fresh, unfiltered, organic grapefruit juice.
- Experimental IPA HBC-342 : This experimental hop variety showcases notes of grapefruit, passion fruit, mango and melon.
- Wedding Punch : Our Berliner-Weisse "Work Weekend" refermented on Passion Fruit and Mango purée. Brewed for our friends Michelle and Phil's wedding!
- B.Man : B.man is a smooth all-malt strong New Zealand Pilsner with an enticing hop aroma of tropical fruits, styled to compliment authentic Indian cuisine. The perfect accompaniment to curry.
- Silk O' The Kine : This dry stout is brewed with unmalted roasted barley, which is essential in stouts and give them the bitterness that is associated with the style. The brewing grains also include flaked barley to add body and help keep its creamy head longer. When most people think of dark beers, they assume they’re thick and heavy; this beer is just the opposite. It has a light body and moderate ABV (4.8%), but a lot of delicious coffee and chocolate flavor. It’s easy to drink several of these with its smooth balance and light mouthfeel.
- Black Lab Stout : Delicious and satisfying anytime of year! A rich, dark ale brewed with nine different malts along with roasted barley, with hints of coffee and cocoa.
- Orbital Elevator : Double IPA brewed with Oat Malt and Flaked Oats for a fluffy mouth-feel. Hopped with Mosaic, El Dorado, and Simcoe for a tropical and fruity pebble paradise of hop flavors.
- Mr.Purple Hefe Weizen : German traditional wheat ale with rich & smooth mouthfeel, aromatic fruity note.
- GoGo's Gose : In honor of International Women’s Day & Big Boots Brew Day, the Pink Boots Society DMV Chapter teamed up with Right Proper and DC’s beer world friends to create the very delicious and unique Gose, respectively named GoGo’s Gose, after Right Proper owner Thor Cheston’s dog GoGo. Donations from Right Proper, Country Malt Group, 3 Stars Brewery and Meridian Pint made this citrus-focused, grapefruit, blood orange, juniper spiced, Galaxy and Mandarina Bavaria hopped beer possible. Partial proceeds from GoGo’s Gose sales will go towards Pink Boots DMV Chapter.
- Morning Fog MochaJava Stout : Big in color, smooth in taste. Dark roasted malted barley is utilized to produce the coffee and chocolate flavors which dominate this light-bodied stout. 
- Barba : Barba is inspired by the German Gose ales but uses no lactobacillus to achieve its refreshing balance between salty and tart. Brewed with German wheat, grey sea salt, tangerine zest and rhubarb, fermented in a concrete tank, and cold conditioned for 2 weeks prior to packaging, Barba is a complex yet highly drinkable blonde ale.
- Category 2 - Belgian Dubbel : The second installment of the Big Storm “Hurricane Series,” our Dubbel features a deep reddish amber to copper in color with rich malty flavor. This best seller presents dark or dried fruit esters reminiscent of raisin, plum and dates. The dense creamy off-white head sits atop a clear and complex sweet malt flavor that generally finishes moderately dry.
- Big Juicy : "Bright citrus and tropical fruit hop aromas lead the way. A light malt foundation provides a platform for Citra, El Dorado, Belma, and Azacca tropical and citrus flavors to shine. Mellow bitterness just balances the fruity notes in the hop forward, golden-colored IPA.
- Somewhere, Something Incredible Is Waiting To Be Known - Vanilla Cream : To create SS Vanilla cream, we added a dose of dehydrated vanilla ice cream to the base beer - Somewhere, Something - to create an additional layer of sweet, creamy, vanilla forward complexity. The result is balanced, shunning an overtly saccharin edge in favor of balance, elegance, integration, and drinkability. A rich chocolate character balances so nicely with a creamy vanilla character - a beer worth savoring and enjoying over time as it warms!
- Winter Ale : Snow days. Comfy sweaters. Family and Friends. In search for the perfect balance of spice, warmth and body, we chose to brew this beer with Saigon Cinnamon, due to its unique balance of spicy and sweet, and Blackstrap Molasses known for its robust, rich, slightly bitter notes. Picture enjoying the comfort of freshly baked gingerbread in liquid form on a blustery winter afternoon curled up in front of the fire. With its thick, creamy tan head stacked atop a dark, rich, umber hued body laced with hints of caramel, toffee and cinnamon, Winter Ale is brewed to warm the soul and tame any snow beast on even the coldest of nights.
- T2-R9 Barleywine : Only brewed once, this big, bad, barleywine style ale is a monster. Complex malt and hops married together and still figuring out what they want to be when they grow up. Yum!
- Bourbon Shokolad Stout : Full-bodied stout that starts with a complex, malty sweet and high-roasted character and is brewed with 44 pounds of chocolate and aged with fresh organic cocoa nibs and whole vanilla beans, then this beer ages in a Bourbon barrel.
- No Problems IPA : Our "Session IPA" bursts open with aromatics of fresh citrus fruits, ripened melon and a distinctive floral bouquet. Weaved carefully under the hop bitterness lies a light, semi-sweet malt body, that finishes in a crisp N' clean fashion.
- Double Dry-Hopped Citra Juicy Bits : Featuring ripe tangerine, grapefruit, and apricot notes, Citra DDH Juicy Bits is the latest iteration in our DDH Juicy Bits series, an irresponsibly dry-hopped version of our popular New England-style IPA, featuring a huge citrus and tropical fruit hop character with a softer, smoother mouthfeel from the adjusted water chemistry, higher protein malts, and lower attenuation. For this batch, we dry hopped with nearly 4 lbs per bbl of our 2017 selected Citra hops, in addition to the normal dry hop schedule of Citra, Mosaic, and El Dorado, bringing the total hop rate up to over 7 lbs per barrel. We also extended the dry hop a touch longer and attenuated the beer a bit further, resulting in a fresh, bright hop character and pillowy mouthfeel.
- Boscoli Fruits Des Bois : Made on the basis of a white ale and enriched with natural fruit juice
- Passion Fruit Kicker : We’ve kicked it up a notch by adding a tropical twist to this refreshing ale. Get amped on Passion Fruit Kicker—a jaw-dropping, mouth-watering, smooth brew with sweet, tart, fruity flavor. We layer passion fruit tea and passion fruit juice with wheat malt and 2-row malted barley to bring you this exhilarating crowd pleaser. Your palate will do a 360 for more of this luscious wheat ale.
- Motley Cru 2017 : Motley Cru is our anniversary release, with the only requirement being that the final beer must incorporate a blend of various barrels. This year's edition is a wild ale with passion fruit blended from two mixed grain ales (containing pale ale barley malt, wheat, oats, and rye). Both new American oak barrels, and old use (wild ale program) barrels from Niagara and Prince Edward County provide an eclectic range of wild and local yeast strains, and several hundred kilos of passion fruit puree create a fantastic balance of old world sour flavours and bright tropical notes. Extra time spent conditioning in the bottle provides a lively carbonation.
- Mill Street West Coast Style IPA : Brewed with pale barley and wheat malts and flavoured with varieties of American and German hops famed for their floral “white wine”, tropical and stone fruit flavours. Using English ale yeast and left unfiltered for added fruitiness, this beer has a partially soured mash and is aged in contact with French oak. The most noticeable feature of this beer is of course its intense hoppiness, which balance the round fruitiness of the hops and yeast. We make a few different IPA’s at Mill Street, but this is our flagship. Brewed on the west coast of Lake Ontario. 
- Island Göse : Tropical and lively gose, sophisticated blend of sweet, briny, fruity and hoppy. Ingredients highlights: Passion Fruit, Orange, Guava, Black Lava Hawaiian Sea Salt.
- Night Riders Imperial West Coast Pilsner : Night Riders is a beer brewed in collaboration with our friends at Base Camp Brewing Co. in Portland, OR. Too often breweries will only play around with ales, but one common thread between our breweries is that we like to think outside the box. That is exactly what you get with this big fruity lager. Its nose is estery like an ale, but cleaner and less muddled as you would expect from a lager. It tastes of tangerine and pineapple in a present yet subtle way that washes across your pallet effortlessly as it leaves you with a clean neutral finish.
- Mephistopheles' Metamorphosis : Begian Tripple brewed with 100 percent Pilsner malt and a blend of three Belgian yeasts which impart a fruity and spicy flavor and aroma.
- Bees : The first edition in our Agriculture Series, Bees is an American wild ale aged for 6 weeks in stainless, with raw, local wildflower honey added after a month to preserve its’ delicate aromatics and flavor. Following transfer into the bottle, we provided an additional 11 months of conditioning, which allowed time for our Bug Blend mixed microbe culture to generate desired levels of complexity and balance. Not overly funky, Bees is refreshingly dry and thirst-quenching, with clean, lactic tartness and light, lemony citrus notes. While no post-fermentation sweetness lingers from the local Honey, gentle floral tones dance with underlying flavors of earthy, white wine. Our golden, bright, wild ale is an ode to those tiny, buzzing pollinators that contribute so much with graceful diligence and purpose.
- Arcadia Nut Brown Ale : This English-style brown ale has an alluring mahogany color capped by a rich foam head. It is brewed with six different varieties of premium malted barley, creating a robust body and delicious flavor profile featuring hints of chocolate, raisins, dates and almonds. It's ripe fruit notes and malty, sweet finish are counterbalanced by a subtle hop bitterness and aroma.
- Hopperstad Series: Calypso : Calypso hops give a beer crisp, fruity aromas and flavors of apple, pear and stone fruit with hints of bright lemon-lime citrus. It’s a marvelously complex hop with strong tropical fruit notes but also an understated tea-like character. All of this adds up to a very clean, crisp, refreshing and interesting session IPA!
- William Milo Stone : William Milo Stone wasn’t ordinary, and neither is the Belgian Style Imperial Stout we craft in his honor. General Stone was a wounded Civil War Hero from Knoxville, Iowa who served as governor at the end of the war. This stout is bold and complex, just like Stone, who helped convince his friend Abraham Lincoln to run for president. Extra helpings of Belgian black malts contribute to the wonderful chocolate, coffee, and toffee characteristics. If Stone were around today, this is the beer we would offer in toast to his courage as we gathered around to hear stories of how he and his fellow Iowans fought to save a nation.
- Signature Pale Ale : The term "Pale Ale" dates back to the 1800s when all beer was dark brown in colour. New malting techniques led to the development of pale malt, a barley malt kilned at low temperatures which contributed very little colour to the finished beer. Hence the birth of Pale Ale, an amber- to copper-coloured ale you could actually see through. Plenty of British Crystal malt in the grist lends this ale its rich colour, its caramel maltiness, and adds the occasional whiff of toffee to the nose. An addition of American and German hops to the kettle at the end of the boil is used to suffuse our Pale Ale with a gently spicy hop finish.
- Abita Select Triple Haze : Our Triple Haze is a take off of one of our most popular year round offerings, Purple Haze. It is a strong golden lager made with malted barley and wheat. Despite being strong (8% ABV) it is still light in color. It is hopped with German Perle hops to give the beer a delicate hop flavor. After filtering the beer, a generous amount of fresh raspberry puree is added. Because we use real fruit you may see raspberry pulp in the beer. This gives the beer a tartly sweet taste and aroma, as well as a bright purple color and haze.
- Thirst Quencher : A refreshing Pale Ale with an exotic fruit and citrus aroma. Thirst Quencher uses Maris Otter malt and New Zealand and American hops to create this refreshingly pale beer.
- A Couple Two Tree : Dark Ale brewed with Spruce and fermented on Oak.
- California Ale : Telegraph California Ale is our flagship beer and is our interpretation of the unique ales that were commonly brewed up and down the West Coast in the 19th century. It is an unfiltered medium-bodied beer, with a rich amber color and a rocky, white head. The beer is crafted using domestic American ingredients and fermented with a unique yeast strain that accentuates the hoppy spiciness, while also imparting fruity and subtly tart flavors. The aromas are spicy and earthy, reminiscent of the rich agricultural valleys surrounding Santa Barbara.
- Grimalkin Amorphatron : In a dark corner of the Uniplex there’s lies a region where disparate forces fold into and quarrel with one another; A place where energies blend into a deformity of unknown quantity...
- Struis : A barley wine brewed in the English style. Struis is a full-bodied beer with a deep, dark colour and a soft, long-lasting head. The aroma is dark and sweet, with clear tones of chocolate and dried fruit. The aftertaste is dry and long-lasting, and leaves you yearning for more. A delicious accompaniment to food and ideal with skeapsrond cheese. Struis is only available as a bottled beer.
- Natte : After the ‘Zatte’, this is the oldest beer from Brouwerij ‘t IJ. Natte is classed as a ‘dubbel’, a Belgian category of smooth, dark beers. Because we partly use dark malt, Natte has a reddish-brown colour and a smooth, roasted flavour with earthy tones of brown sugar, nuts and plums. Completed with slightly bitter hops, this is a nicely balanced beer and one of the brewery’s classics.
- Zatte : The first beer to come out of our vats, back in 1985, making it the classic beer of Brouwerij ‘t IJ. It is a ‘tripel’, the category reserved for the stronger, blonde beers in Belgian tradition. Zatte more than lives up to expectations in this respect. It is a full-bodied, golden beer with a scent of fresh fruit mingled here and there with a hint of grain. The flavour is slightly sweet, ending with a fine, dry aftertaste. A delicious beer that can be enjoyed in all seasons.
- Columbus : An amber, craft beer with generous amounts of hops and alcohol. This copper-gold beer is a real heavyweight and a must for beer lovers. The liberal quantities of malt and bitter hops create a complex, full flavour. It starts as slightly sweet with malty aromas of chocolate, fruit and grain, while the bitter hops stand out nicely in the aftertaste. A feast for the connoisseur!
- IJBok : Our bokbier that rings in the autumn every year. Dark and full-bodied, but not as sweet as you might expect. The fine, light brown head holds for a long time while the dark, black-brown beer releases aromas of the roasted grains, a bit of coffee and dark fruit. The aftertaste is pleasantly dry.
- IJndejaars : One of our flagship beers, slightly different in flavour every year! A splendid, maroon-coloured beer with fine aromas of spiced fruit, orange peel and well-roasted malt to delight the nose. The flavour is a spicy balance of caramel, citrus and slightly bitter hops to restore that warm feeling during the dark days of winter. If stored in a cool, dark place, IJndejaars will keep for years.
- PaasIJ : Our bokbier for Easter; not too sweet, thereby producing a fine flavour. The flavour and aromas give a nicely balanced mix of fruit, coriander, yeast and hops. An enjoyable combination in which the bitter element gets an additional boost from the lightly roasted malt. The aftertaste is slightly sparkling, with a long-lasting, fresh, sweet flavour. An excellent beer for celebrating the arrival of spring!
- Vlo : A prize-winning beer that we brew specially for De Bierkoning. The fruity, bitter hops and lightly roasted malt complement each other perfectly in this light brown beer. These flavours are accentuated with a little coriander to produce a full aroma of flowers, citrus and a hint of caramel. An irresistible beer that was crowned in the Brussels Beer Challenge with a silver medal in the Herb & Spice category.
- BlackHawk Stout : A dry oatmeal stout. Coffee, roast and chocolate flavors throughout, very smooth body from the addition of flaked oats. The use of six different malts makes this a very complex beer.
- Alter Ego : A beer brewed in the spirit of experimentation and the celebration of our 3rd anniversary… ! What we did here is we took a whole bunch of Mosaic and Amarillo hops, a classic punch of citrus purveying goodness, and added them to the Julius dry hop. The base beer is exactly the same, but the dry hop is altered tremendously. The result is a beer with all the deliciousness of the base beer with a layer of added citrusy complexity. Like devil Julius or something. A real treat!
- Black Gold Stout : A dark traditional dry stout with a frothy, tan head and smooth roasted malt flavor. Leaving you with distinct dark chocolate and coffee taste. Big in aroma! Jimmy Carbone's "favorite beer of 2012".
- Plumonary Groove : This Golden American Sour was aged in reused Rose' barrels on N.C. Damson plums from Mortez's Mountain Orchard for 8 months. It was then blended with an 8 week old clean fruity sour made from wild cultured lactobacillus and our house ale yeast. This beer is a mix of Pilsner malt, 2 row malt, and Maris Otter malt and was never hopped. Fresh plum puree was added to the brite tank prior to kegging.
- Pig's Ear Brown Ale : Medium bodied with a balance of roasted and crystal malts creating a hearty nutty flavor. Medium bitterness with a slightly sweet finish.
- Winter-Bock : When it's cool outside, it's time for the dark Einbecker Winter-Bock inside. Selected malts, the finest hops and a special beer yeast provide a true winter treat. With 18.2%, Einbecker Winter-Bock has the highest original wort of all Einbecker beers.
- Brothel Madam : Bright acidity, a firm, rustic funk, and a rich, luscious finish -- we bring you Brothel Madam. For optimum fruitness, drink fresh. To play up the funk, age it out.
- Shadow Brewer : A thick tan head tops the jet black brew as aromas of roasted malt, coffee, and chocolate give way to rich dark fruit notes. The taste is malty, roasted, and chocolatey with moderate hop bitterness. The finish is thick with oatmeal creaminess and pleasant lingering roast.
- Witches Cauldron : A dark ruby red coloured ale with a hint of roast malt flavours with a rich, smooth, sweet aftertaste. A ideal treat for Halloween!
- Hops & Robbers Grapefruit IPA : Our juicy grapefruit beer with spirit and strength. This crazy delicious IPA combines zests of citrus and malty, toasted caramel with robust ruby-red grapefruit aromas. The result is an IPA with bold body and tart citrus savor. This tangy Grapefruit IPA is, daringly delicious with gusto to spare. Your gullet will thank us later
- Fourteen : Fourteen Anniversary Ale is a hoppy black ale bursting with so much flavor you might think you’re tasting double. Made with ingredients gathered from seven parts of the world, Fourteen will seize hold your taste buds and never let go. Enjoy the intensely floral nose from dry-hopped Cascade and Galaxy hops, the surprisingly light body from 2-row barley, wheat malt, black wheat, and Caramalt, and the strong bitter finish from Chinook, and Cascade hops. Fourteen is like a fast-moving squall, dark and complex with a beautiful black rainbow finish.
- Poacher's Choice : This rich, smooth brew has a softly spiced sweetness with dark liquorice notes and a fruity damson aroma. Poachers Choice is a gutsy ruby ale that is well matched with hearty game pie or a tangy mature cheese.
- Cataclysm : Our Russian Imperial Stout. Originally brewed to impress the Russian Czars, these are viscous and rich. Enjoy the dark chocolate and coffee like flavors of the smooth yet complex brew. Keep an eye out for the 4 very special cask variation releases!
- Eisbock (Ice Bock) : This beer is big, malty, slightly fruity, and high in alcohol. The higher alcohol is a result of the icing process where a portion of the water is frozen and removed from the beer. Brilliant dark ruby red in color. Served in a snifter.
- 1/2 Ton V1 : 1/2 Ton: V1: Double IPA 56’s version of a double IPA to mark our one year anniversary. It is a hop forward and citrusy brew. Made with a variety of hops and then dry hopped with cascade and simcoe to showcase their aroma, this beer is sweet and fruity with a lingering bitterness. Grapefruit peel is also dry-added in the fermenter to add even more citrus flavor. Just in time for spring, this beer is truly a specialty. 
- Gordon Biersch Dunkelweizen : Dunkelweizen translates from German to mean dark wheat. Gordon Biersch Dunkelweizen highlights the undertones of dark-roasted malted wheat and the unique flavors produced by our special Hefeweizen yeast strain. Our Dunkelweizen adheres to all of the traditions of the Reinheitsgebot (German Purity Law of 1516) and is naturally carbonated.
- Skypager : Judiciously hopped with large amounts of Amarillo and Centennial, Skypager is loaded with juicy notes of orange and grapefruit. Juicy, hazy, tasty.
- I5 W/ Coconut & Himalayan Pink Salt : Sometimes a cask is so good, we have to make it into a full batch of beer. This combination of dry, citrusy, tropical west coast dark ale infused with toasted coconut and a pinch of pure salt pushes the boundaries of beer. It incorporates sweet and savory influences, starts full bodied but ends crisp. A beer thats a journey in a glass or a great companion to Caribbean or South East Asian Cuisine.
- Curiosity Forty : With Forty, we had a bit of a midlife crisis and did something we wouldn’t normally do - combined two hops we find to have highly distinct (and even opposing) flavor and aroma characteristics. Generally we devise hop combinations with the knowledge that one may complement or enhance the other. But here we got curious and combined - in equal parts - heavy doses of Galaxy and Simcoe to create something that is a shockingly tasty and unique sum of its individual parts. Forty pours a frothy yellow color in the glass and exhibits flavors and aromas of passionfruit, pineapple, lemon lime meringue and an awesome yet difficult to describe earthy tropicality. A dissolving effervescence lends to a soft mouthfeel and an easy to drink delight. This beer epitomizes what the curiosity series is about with a hop combination that, to our knowledge and palate, would clash yet when combined creates something beautifully unexpected and unique while serving to further our understanding of the art, science, and magic of brewing.
- Paper Tiger #3 : The third lager in our Paper Tiger series, this one fermented with Czech pils yeast and dry-hopped with Sterling, Ella, and Saaz — with the addition of grapefruit peel.
- Cherry Blossom Gose : PostModern Brewers twist used to be to merge German history with eastern additions by adding salt cured cherry blossoms that were pickled in an Ume plum vinegar. The completed beer has bright citrus notes highlighted with a earthy sourdough high quality and refined fruitiness. This beer pairs neatly with oysters, smoked salmon, and Idaho Steelhead.
- Gameday IPA : Nice and easy drinking…perfect for hours of tailgating. This beer isn’t just hop water, though. Gameday Session IPA has a wonderfully balanced profile and is full of Amarillo, Simcoe, Mosaic, and Warrior hops. This hop blend gives a full range of citrus, lemon, grapefruit, mango, pineapple, peach, passion fruit, and piney flavors; making it a whirlwind of classic American hops. This session IPA doesn’t fall short on flavor.
- Double Plum Sour : A collaboration with Postdoc Brewing. This beer incorporates over 400lbs of plums in a strong and tart wheat-based base. It picks up a purplish hue from all of those plums and welcomes you with aromas of fresh fruit, citrus, and plums! The fruit, the high ABV, and the refreshingly bright lactic acidity intertwine to bring you a nice dose of summer.
- Crack The Skye : Coffee Barrel Aged Imperial Stout brewed in collaboration with Mastodon and Dark Matter Coffee.
- Cherry Deduction : Our sweet and malty Deduction dubbel, with its characteristic hints of dark fruit, is enhanced by sweet and tart red cherries. Declare yourself by enjoying this selectively-crafted specialty series.
- Morph - Batch #60 : Rotating IPA series with Columbus, Simcoe and Idaho 7 hops. Notes of honeydew, resin, and grapefruit peel.
- Manzanita : Manzanita is an imaginative take on the classic German rauchbier, combining traditional ingredients with inspiration from the Northern California wilderness. An assertive, multi-layered smoke aroma -- courtesy of beechwood-smoked malts and charred manzanita branches -- gives way to a light-bodied structure and a surprisingly delicate balance of flavors: nutty, herbal, sweet and savory. A beer for a campfire on a crisp fall night.
- Capricorn Bock : Traditional German Bock's are typically brewed in the winter time and some believe it was only brewed during the sign of the Capricorn goat. Our version is brewed to style. It was lagered for six weeks producing a very smooth and easy to drink beer even though it is 7% ABV. Malt forward with a toasty and nutty flavor and aroma with just a hint of cocoa. The Noble German hops are only there to provide balance to the rich malt character without providing any hop aroma or flavor. This brew pours a ruby brown color with medium body.
- Low Self-A-Steam CA Common Lager : California common beer is light amber to medium-amber in color. There is a noticeable degree of caramel-type malt character in flavor and often in aroma. Hop flavor and aroma is low to medium-low. The balance between fruity esters and malt character give an impression of balance and drinkability.
- Hot Box : Good friends. Good beer. They are what get us through these insanely long winters in Minnesota. That’s why we teamed up with our friends at Northbound Smokehouse Brewpub in South Minneapolis to bring you Hot Box Imperial Smoked Pepper Porter. This collaboration beer is brewed with hickory-smoked peppers and malt cold-smoked over alder, maple and apple woods. Sweet and smoky, with hints of dark fruit and coffee, Hot Box provides just enough heat to keep you thawed during the coldest winter months. This beer may not be for everyone, but then again, neither are Minnesota winters!
- Amstel Oud Bruin : Amstel doesn't fit to Flanders Oud Bruin beer style category. Amstel fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Expedition Stout : Expedition Stout offers immensely complex flavors crafted specifically with vintage aging in mind, as its profile will continue to mature and develop over the years. A huge malt body is matched to a heady blend of chocolate, dark fruits, and other aromas. Intensely bitter in its early months, the flavors will slowly meld and grow in depth as the beer ages.
- Southport Black Rock Stout : Smooth and very velvety. Dark roasted malts, flaked barley, and select hops are blended together to create this traditional Irish stout. Outstanding!
- Proto Gradus : Belgian-inspired Single, subtle floral hop layered with fruity yeast aroma. Bready maltiness, slightly citric with a light body, but distinctly yeast forward. Crisp, clean, and quenching, as was intended.
- Bruesicle: DFG : Dragon fruit and guava
- Parcha : Oak-aged saison with passion fruit juice.
- Cuvée Sofie : Cuvée Sofie is the barrel aged version of Phi. Complex, refined flavours, originating from the tannins of the Bordeaux barrel and the wine that initially filled it create a soft, refreshing sipping beer that blurs the differences between beer and wine.
- Gritty McDuff's Original Pub Style : Original Pub Style is a light copper-colored medium-bodied with a nice dry bite at the finish. A subtle combination of Cascade and Willamette hops give this ale a fine floral aroma and a slightly fruity aftertaste. The taste captures the freshness of a hand-crafted brew pub ale that goes right from the conditioning tank to your glass!
- Truculence : A strong golden ale brewed with our saison yeast blend. Big fruity nose and a dry finish with notes of herbs, ripe fruit and peppery alcohol.
- Destihlinator Doppelbock : A German-style Strong Doppelbock...full bodied, deep amber-dark brown in color, malty sweet with some caramel and toffee evident but lightly toasted Munich-style barley malt dominating, fruity esters, such as a hint of raisin, are perceived but at low levels, roast malt astringency is absent, alcoholic strength is high, hop bitterness, flavor and aroma are very low to absent.
- Flemish Brown Cherry : Known as FBC, this is a malty brown base beer that is aged on tart cherries for a few months. Subtle cherry aromas complement the mild tart cherry finish in this malty brown ale. This is only one of two fruit beers produced at Flat Branch.
- Speed Dial : This special draft-only double IPA was brewed as a 10 bbl. pilot batch to prepare for the upcoming release of our Third Anniversary brew. A remarkably juicy offering, Speed Dial is double dry hopped with Nelson Sauvin and is supported by a crisp Pilsner malt backbone. Pouring a vibrant, hazy gold; aromas of white wine, apricot, and faint pine sap swirl around the nose. To enhance depth and complexity of the uniquely fruity, white grape flavors provided by Nelson, we added Sauvignon Blanc juice mid- fermentation. Soft and creamy with moderate bitterness and supplementing notes of clementine and pineapple. Medium-Light bodied with a dry finish. 
- Cellar 3: Flanders Drive : Flanders Drive is the result of intense Brewmaster contemplation. Built on a canvas of structured malts, the sourness develops during extended aging in wood barrels lending to the beer’s depth and complexity. Heady top notes of tart cherry and dark fruit mingle with rich, subtle malt in the background for a truly satisfying sour ale.
- Albricot - Cab : Our interpretation of a 4.9% abv pLambic (pure culture) aged on apricots. This version was fruited heaviest of all, then aged in Estate Cabernet (American oak) barrels from Korbin Kameron wines before undertaking even more apricots before bottling.
- Blueberry Wheat : At 4.86% ABV, this tasty ale has just a kiss of fruit in addition to a nice, American, pub-style wheat beer backbone and a subtle hop presence.
- Snozzberry : This tradition Lambic style wheat beer has been wild fermented and aged for a full year in oak barrels. The addition of special “Snozzberries” gives the beer its beautiful color, fruity aroma and complex flavor. Like a Golden Ticket, this is a Special Limited Release.
- Fading Bliss : We brewed this Belgian Dubbel to enjoy on Valentine’s Day, either with your special someone or shooting daggers at that cute couple in the corner smooching. Either way enjoy the complex sweetness and dark fruit flavor of this traditional brew.
- Carnival : A creative and artistic balance of spicy phenols, fruity esters, noble hops and Belgian malts with a classic dry and thirst quenching finish.
- Funky Boss : Funky Boss is a Barrel Aged Brett Saison brewed in honor of 7 Monks 5th anniversary. This Saison is pale orange and cloudy and pours with a frothy head. Funky boss has a wonderful aroma with scents ranging from banana and spice to white wine and funk. With a medium body, the flavors in this beer are complex beginning with spice and fruit before transitioning to slightly tart and oaky with a bitter finish.
- Bleurbon Berry : Our Royal Tannin Bomb! Blueberry Sour Ale aged in a second use bourbon barrel for over eight months with even more blueberries. Richly fruity and bracingly sour with a nice touch of vanilla-like oak and bourbon. Ideally served between 48 and 52F.
- Mr. Hanalei : Rye Berlinerweisse fermented on passionfruit, guava, and naranjilla.
- King Dark Lager : Our authentic brewing technique, using only the finest imported Dark Munich Malt and Noble German Hops, gives this beer King’s trademark “true to style” aroma and flavour. This deliciously dark lager is red-brown in colour, with a thick tan coloured head and a rich, full palate. It delivers a complex yet clean bready taste with a hint of toasted chocolate, and leaves elegant lace lines to the bottom of the glass.
- Wolfpack : A deceptive beer! Don’t think the dark color means this beer is heavy or has strong roasted flavors: Quite the opposite, this brew greets you with a complex citrusy, spicy and floral aroma. The flavor is filled with orange zest and sweet bready malt characters that are balanced by light hoppy bitterness and slight tartness from the classic Belgian yeast. The light dry finish leaves you thinking the beer you just sipped and the one in the glass are two different beers. This wolf is howling for you to come join the pack!
- Mount Pleasant Double IPA : Our new Mt. Pleasant series #9 release was inspired by autumn, and full flavoured juicy hops. The Mount Pleasant Double IPA is a complex, yet balanced India Pale Ale with a simple malt profile and deep hop aromas, brewed with Columbus, Centennial, Chinook, Vic Secret and Galaxy hops. The ale is double dry hopped to achieve hop aroma with flavours of citrus, tropical fruit, floral and resin, which gives this beer its specific flavour profile.
- Red Brick Brick Mason Series: Brother Leo : Rehearse your Gregorian chants, don your monastic habit and take your vows to the lost order of Brother Leo, devoted to the solitary contemplation of the ancient brew mysteries. Your new-found devotion to drink this heavenly combination of Belgian and American grains with its mild spiciness, moderate fruity esters, and boldly hoppy notes of citrus, pine, and lemon, encourages sacrifice from the worldly distractions of lesser beers to worship in unity with this inspired brew.
- Tatonka Stout : An imperial stout — a classic style so rich and flavorful that it was once the private beverage of Russian Czars. The profile is malty sweet, hop bitter roasted, full-bodied, alcoholic and deliciously complex. Beer doesn’t get much more intense than this! 
- Wee Heavy : Scottish Strong Ale: Super Malty and big alcohol with hints of fruity grassy British hops, followed by a touch of roasted barley. Walking around in a kilt with face paint optional.
- Mandarina : Mandarina’s tart and citrusy profile makes it the perfect beer for warm, sunny days. The combination of crisp tartness, tangerines and the citrus aromas of Mandarina Bavaria and Citra hops puts this farmhouse ale’s fruity aroma over the top. Pair this summer sipper with a day at the beach, fresh seafood and citrus-infused desserts.
- SLOambic : We are fortunate to have great relationships with our local growers who provide us with superb fruit for our beers. Like last year, we had the opportunity to purchase fresh marionberries and boysenberries, both close cousins to the blackberry, so we pounced. For this vintage, fresh berries were added to Sour Opal, a beer matured up to 24 months in oak barrels, and then fermented using our proprietary blend of microflora for an additional 3 months. Bursting with ripe berries and brambles, as well as hints of jam, the fruit gives way to a rustic funk and soft oak flavors, finishing with a mouth-watering acidity.
- Total Eclipse Breakfast Stout : Maumee Bay Brewing Company’s Total Eclipse Breakfast Stout is a hearty meal in a glass. As it pours, it devours the light and your glass is filled with darkness. This massive beer brewed with espresso beans (from Flying Rhino in Toledo, OH), oatmeal, and lactose offers a rich and complex taste that begs to be savored. With a smooth carbonation and luscious roasted malt flavor, you will fade to black as you slowly sip this finely crafted brew. We recommend serving at 45-50 degrees in your favorite snifter. It’s nothing but total bliss from Maumee Bay Brewing Co.
- Five Leaves Left (ii) : Five Leaves Left (ii) is the second in a five beer series exploring the interplay of a single hop and a single additional sugar source in an oat-based Double IPA. (ii) was brewed with honey from our friends at Fruitwood Orchards. Hopped and dry hopped intensely and singularly with the mysterious Idaho 7. This iteration of Five Leaves Left is pleasant with drippy and comforting notes of late harvest peaches, pineapple, and candied strawberries. Gonna see the river man, gonna tell him all I can.
- Mixtape Ale Vol. 16 Experimental Passion IPA : Brewed with passion fruit and experimental hop HBC 431.
- Fire In The Hole Raspberry Habanero Red Ale : Pull the pin, count to four, and get ready to feel an explosion of sweet raspberry and spicy habanero flavor. No need to worry about collateral damage or capsaicin shrapnel since this red ale has just enough malt body to strike a balance between fruity, sweet, and spicy. Making it the jam to your jelly, baby.
- Aiken German Doppel Bock : The flagship dark Lager of the Christmas season, this strong, rich dark brown brew has low hop bitterness and a subtle roasted malt flavor. Its higher alcohol content makes it smooth and warming going down. Pairs beautifully with the Holiday Spirit!
- Half-Century Porter : Half-Century Porter is the beer that started us on the journey to launching Boatyard Brewing Company. Pour a pint of this dark ale and you will discover a rich and luscious robust porter that delivers a balance of caramel, chocolate, and toffee. This porter can stand alone at the pub or with a gourmet dinner. Half-Century Porter will always leave you wanting another and, in our opinion, there isn’t anything wrong with that!
- Harmony Wheat : An unfiltered American style wheat beer, golden in color with a yeast haze, with a nice fruity aroma.
- Hallo Ich Bin Berliner Weisse - Passion Fruit : Berliner-style Weisse beer brewed with Passionfruit
- Draken Robust Porter : Big, malty and dark, Draken Robust porter exudes a roasty aroma from its tan head. You’ll taste a complex and rich chocolate and caramel malt character followed by a touch of warmth and light malt sweetness. Draken has subtle flavors of raisins and dark fruits and a touch of hop bitterness to balance the flavor on the palate. Despite its dark appearance, the beer is medium-bodied with a wonderful mouthfeel that allows the rich flavors to linger on your tongue just long enough to last until the next sip.
- The Vapors : Pours hazy tangerine in color with thin white head. Aromas of citrus and tropical fruit, flavors that fulfill on aromatic promises. Brewed with Pilsner and Vienna malt base and lots of wheat and oats. Hopped with a blend of Azacca, Wakatu, Lemon Drop and Ella.
- Phumbu : A phumbu is a ceremonial mask worn by the chief of an African tribe around the Democratic Republic of Congo. This beer was brewed for the St. Petersburg Museum of Fine Arts “Beer Project” and CCB was asked to brew a beer inspired by a phumbu. This Rustic Brown Ale is brewed with dark candi sugar, and African paddock wood.
- Brown Porter : A dark, malty beer for those of you who want a break from hops. Chocolate on the nose with a soft smokiness on the palate and a surprisingly light body. An easy drinking porter that’s understated and totally delicious.
- Dark Saison (2017) : Rich dark flavours, chocolate, coffee & tobacco coupled with notes of dark fruit, plums, dates.
- Citrus In The Rye : A strong ale brewed with rye, barley, oats, wheat, and Vermont honey. Its flavor comes from tangelos, Cara Cara oranges, grapefruit, Japanese yuzu juice, and six hop varieties. Aged for a half-year in a High West Distillery whiskey barrel.
- Abrasive Ale : Hazy gold in color, this Oatmeal Double IPA has aggressive aromas of candied grapefruit/tangerine and tropical fruit. Malted oats greatly enhance the body and the high level of bitterness is balanced by this sweetness. Citra hops are used for aroma & flavor additions and for dry-hopping, while Warrior hops are used primarily for bitterness.
- Cucumber Hippy Berliner : Our Hippy Berliner was such a success that we ebbed to consumer demand and brewed a special edition with the addition of cooling cucumber. Bursting with sweet cucumber notes, balanced by lemon peel and tropical fruits. On the palate this beer is puckering, but very refreshing, full of cucumber, citrus and balanced by light hopping, finishing very clean.
- Spring Single Ale : Our Spring Single is our take on an obscure Belgian style, brewed by Belgian monks for their daily sustenance. A light, dry, and hoppy finish, with fruity and spicy notes from a classic Trappist yeast, makes this the perfect companion for longer days ahead!
- Flood Water : Named to commemorate the 100-year anniversary of the most disastrous event in Delaware history, the Flood of 1913. We hope you find this dark brew much more enjoyable. 
- Double Shot - Guatemala Bella Vista : This bottle of Double Shot was crafted with the spirit, mood, and nostalgia of the holiday season in mind. To that end, we chose the big-bodied Guatemala Bella Vista to pair with an extra rich base beer. We smell and taste fudgy dark chocolate, cocoa powder, & sweet caramel balanced by a gentle acidity. It drinks almost like lightly effervescent coffee/chocolate liqueur. The perfect beer to cuddle up by the fire with. It is, in our opinion, an example of what is possible with careful selection of ingredients paired with focused brewing execution. Please enjoy this bottle fresh and use it as an opportunity to reflect and give thanks. 
- State Of Funk #2 - Awesome Citizens : Single barrel Brett Rye Saison aged in a dark toasted Sauvignon Blanc barrel with wild native Nashville yeasts and souring bacteria for 14 months. Playing off the natural stone fruit character of the base beer it underwent a light fruiting secondary fermentation with Apricots for 2 months.
- L.A. Woman Kolsch : A crisp, refreshing and balanced ale that is pale straw colored in appearance and topped with a soft white head. Light bitterness coincides with the delicate fruity and sweet flavors to create an appropriate balance upon first impression. The finish will give the sense of apparent, but subdued malt undertones that are complemented by aromas and flavors of floral spice from late addition noble hops.
- BARIS - Big Ass Russian Imperial Stout : Happy Birthday to us. Brewed around the grand opening of our on-site brewery in June of 2016, set in whiskey barrels to be released for our 1st Birthday Party. We don't hold back in creating this stout, as black as the inside of a coffin on a moonless night, as rich as P. Diddy. Strong flavors come at you from every angle when you're drinking this. The intensely oakey aroma balanced with strong whiskey, prune, and chocolate notes invite you to take a sip. An array of coffee, dark chocolate, oak, raisins, and whiskey fill your palate and warm your throat as you swallow this delicious sipping beer. Drink at a slightly warmer temperature to help bring out all the complexities in this beer. 
- Assassin : After endless hours of scorching in heat, brewing in turmoil, fermenting in angst, the Assassin’s journey has just begun. In the shadow of the temple, he lies in wait, maturing his plot to perfection. He emerges merciless, dominated by darkness, his bite laced with the charred remnants of his victims. No man dares to cross his path. They will forever sleep with one eye open, in fear of the Assassin’s hot kiss of death.
- Chillaxis Of Evil : A dark farmhouse ale brewed with guajillo peppers and fermented entirely with Brettanomyces.
- Kuhnhenn Conundrum : Deep amber in color, this English session bier is roasty and malty on the nose. It has a light mouthfeel with a toasty nutty flavor. Don’t be afraid of it’s dark appearance it is a very drinkable malty beverage.
- Prohibition Ale : Prohibition Ale is the first beer we bootlegged back in 1997. Anything but traditional and now a GABF winning brew (2013–American Amber/Red Category), Prohibition pours a deep reddish amber hue, with a fluffy tan head that leaves a beautiful lacing on the glass. A lush, complex aroma teases the senses with juicy grapefruit, citrus, pine, spice and candied caramel malts. Mouth-feel is creamy, with a silky, medium body and modest carbonation.
- Big Daddy IPA : Big Daddy IPA is a hop-head's delight, a generously dry-hopped yet surprisingly drinkable American-style India Pale Ale. Poured into a standard American pint glass, the beer is a golden straw color, with tight carbonation and a slightly off-white head that leaves a lovely lacing. The aroma is floral, fresh grass, pine needles, grapefruit, and a some subtle notes of fresh bread.
- India Pale Ale : Standing firmly on the east coast end of American IPAs, our India Pale Ale emphasizes balance. An insistent malt character from traditional floor-malted English barley harmonizes with a generous amount of Chinook and Amarillo hops. Fruity and aromatic, our IPA is perfectly balanced.
- Stegmaier Porter : Stegmaier Porter is brewed with a combination of domestic six-row barleys and various roasted malts. This timeless brew is accented with a combination of Tettnang and Cascade hops. Fermented at high temperatures with our in-house ale yeast, the final product releases a roasted aroma with faint hop overtones. The flavor presents a grainy, slightly burnt malt background. It delivers tones of dark chocolate, accented with a slight coffee bitterness to round out the flavor. Stegmaier Porter is opaque brown in color and boasts a full, creamy head.
- St-Ambroise Pale Ale : Our flagship beer -the one that put McAuslan on the map. St-Ambroise Pale Ale is a golden, generously hopped brew, and a perennial favourite of the many pale ale drinkers who have enjoyed its rich, fruity flavour since 1989.
- Bourbon Black Cherry Porter : Bourbon Barrel Aged Black Cherry Porter is Short’s Black Cherry Porter aged in bourbon barrels for 9 months. This Short’s brew is fermented with Northern Michigan sweet black cherries and eight different malts. Combined, the ingredients provide the deep radiant flavor profile and create the dark opaque color. A slight purple lace from the fruit puree enticingly leads into smooth soft hints of roasted chocolate and pleasurable black cherry and bourbon flavors.
- Farmer's Reserve Blackberry : We love blackberries. Tart, sweet and complex but guarded by thorny branches, these alluring fruit have been a favorite of ours since we added them to our very first beer. This sour blonde ale is infused with loads of coastal Blackberries from California’s Santa Cruz Mountains and aged in wine barrels until our wild yeasts worked their magic. Pair with duck dishes and summer salads.
- Weight Of Sound : Bone dry with a slight grainy sweetness. Floral aroma with a bushel of candied tropical fruit notes such as ripe mango and pink grapefruit.
- Dawk’s Classic Porter : Dark, rich and frothy, Dawk’s Classic Porter is by far our heartiest brew. Roasted chocolate and black patent malts create the ominous ebony color which dominates this beer.
- Liopard Oir : A beer for the ladies, crazies and connoisseurs. A floral, hoppy and fruity French-style saison. Saisons are completely undescribable so we won't even try. Our interpretation has five types of grain, Lavery Estate hops and three different strains of yeast! The yeast is the star of this show - fruity, spicy, fragrant, alluring and simply delicious. This beer ends dry and crisp and bottled conditioned with Brettanomyces Clausenii, a wild yeast that adds fruity, tart and mildly funky aromas and flavors to ale. This beer is great young but will change considerably with time.
- Connector IPA : Connector IPA is Switchback’s first and long awaited IPA! Light in color and body, the beer is designed to showcase the hops delicious medley of citrus, tropical fruit, and pine characteristics. Following a huge late addition of Citra hops at the end of the brewing process, we dry hopped this beer with a massive amount of Mosaic and Centennial hops. The result is a lively, refreshingly hoppy IPA that finishes dry with a quick hit of bitterness that fades quickly and invites you back for another sip.
- Old Bridge Dark Lager : Dark amber lager with mellow fruit flavours.
- Scepter IPA : This hop monster shows no mercy. Seven insane additions of different hops create an assertive hop aroma of tropical fruits and citrus followed by fresh flavors of mango, pineapple, grapefruit and even coconut throughout each sip. Backed by a medium body and pleasantly pale-gold colored, this beer is brewed with 2-Row and caramel malts that can stand up to a beast of hops. Whether or not the Scepter Head actually exists doesn’t matter. Just don’t let her drink your beer.
- Kiss My Elbow : Fruity, massive, hazy TIPA featuring Citra, Nelson and Mandarina Bavaria hops. Brewed with 2 Row, Pils, Vienna malt and dextrose, and fermented with Barbarian yeast.
- Capitola Breezes : Barrel-Aged Blonde Quad with Cranberries and Grapefruit.
- Christmas Ale 2009 : Christmas Ale (November - December) rounds out our calendar. Generally, this beer is a dark ale, however, the recipe changes each year, offering a unique product crafted with special care. Enjoy your holidays with Abita Christmas Ale.
- Oatmeal Stout : Our stout is opaque with ruby red highlights and a full textured silky body. Its inviting aroma is a complex mixture of roasty, chocolately, and malty tones. Its flavor follows through with a smooth rich balance that will excited any stout drinker. Served on a nitrogen tap.
- Sunshine Slowdown : Slowdown and enjoy. Sunshine Slowdown is an easy drinking, lager-like Ale. It mimics the crisp, slightly fruity character of an American lager and is meant to be enjoyed while relaxing.
- Berliner Style Weisse : Huguenots may have originated the style as they traveled through France to Flanders, having first mentioned it in the 1600s. Later, in 1809, Napoleon and his troops identified Berliner Weisse as the "Champagne of the North". He requested the beer be served with syrup to cut its extreme level of acidity. Our interpretation is a slightly softer, more mellow version of the "Berliner Weisse" style with a beautiful balance of tartness, fruitness, and sweetness.
- Figueroa Mountain Saison : Summer is in full swing, so we brewed up a farmhouse ale for the season: a pale beer with tons of spicy and fruity aroma that finishes crisp and dry. Whether mowing your lawn, laying on the beach or just beating the heat, this summer crusher is perfect for any summertime occasion.
- Dark Tarts : Black gose with lime. Kettle-soured and then primary fermented in oak barrels with Brettanomyces with Lime Zest. Tart, light and mild chocolate notes with hints of fruit.
- And The Sun Said Now : A collaboration we brewed with the sweet dudes of Pen Druid. A saison, gently hopped with Saaz, Strisselspalt, and Hallertau Blanc. Notes of herbal nightshades, candied sugar, unripe stonefruit, and vanilla; finishes very dry, with a light acidity.
- Gose - Blood Orange : Our first in what will be a series of fruited goses with lactose, this beer is soured and salted and left to condition on large amounts of blood orange puree and vanilla.
- Brooklyn Jong Kriek : Brewed in September of 2012, our Jong Kriek (young Kriek) is based on our dark abbey ale, Local 2. We suffused it with whole cherries in barrels for five months, then re-fermented in the bottle with a blend of Champagne yeast and Brett. ABV 10.3%
- Vanilla Vastness : This is a new one for us. We conditioned a small portion of our latest batch of "Vastness of Space" Imperial Stout on Madagascar vanilla beans. The base beer itself is aggressive on roasted coffee notes as well as dark chocolate and fig characteristics. Vanilla adds another dynamic and fortunately does not sweeten the beer up. It's smooth yo! 
- Dark Star Porter : A rich and robust blend of light, caramel, and dark malts sets the stage for BBC Dark Star Porter’s robust presence on the palate. This smooth but robust porter has complex notes of chocolate and roasted grains balanced by additions of traditional English hops, creating a delicious chocolaty and smooth ale.
- Exactly, Almost : Brewed with gobs of spelt and oats. Fermented with our magickal Saison yeast and a melange of other house microflora in one of our large French oak foudres. Dry hopped with Citra and Hüll Melon. Bright, citrus, ripe watermelon, and passionfruit.
- Tripel Hopzella : Tripel Hopzella is a collaboration beer with Condzella Hops Farm in Wading River, NY. A triple addition of fresh cascade hops compliments a sublime malt character and spicy, fruity, soft alcohol notes found in our original Tripel
- Éphémère (Apple) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Apex Predator : When you brew as much as we do, sometimes we get tired of telling the yeast what to do. For Apex Predator Farmhouse Ale, we pitch the yeast cold, turn off the temperature control, and let the yeast do it's thing. To our delight, it spat out the sweet scent of juicy fruit wafting from a frothy, white mane. Brewed only with grain and sugar unencumbered by the heat of the kiln, we create a hazy, golden body. Apex Predator gets its teeth from a generous Crystal dry-hopping that completes the dry finish with a fruity bite. Pounce on the opportunity to let it part your lips and you may find yourself at the top of the food chain.
- Sexy Chaos : We age Chaos Choas on vanilla beans and toasted oak chips to give the already sultry and complex Russian Imperial Stout a sexy twist. Very limited availablilty.
- Kromer Juice : Strawberry Rhubarb : Mike Kromer magic lemonade with passionfruit, strawberries and rhubarb
- Allium Roseus : Dark ruby color, spiced vanilla aroma, tangerine flavor, medium body.
- Tumeke Pils : Collaboration with Original Gravity Public House, this crisp lager is dank and fruity on the nose, dry hopped with Waimea & Mosaic hops.
- High Road Pale Ale : Inspired by the hometown Bradenton, FL, hard touring Americana folk quartet, “Have Gun Will Travel,” we being you “High Road Ale.” An American Pale Ale with plenty of hoppy punch all in the form of a sessionable Pale Ale. The natural hops bring out flavors of grapefruit and a hint of spice. This beer won National Champion at the United States Beer Tasting Championship in 2013.
- Trout Town Rainbow Red Ale : This India Red Ale pours a deep amber color-even darker than our Trout Town American Amber. This beer is 7.5% ABV with a nice floral flavor of the beer starts with a burst of rich malts that carries into a smooth but apparent hop bitterness. ABV: 7.5% IBU: 62 SRM: 16
- Old Spot : A strong dark chestnut Bitter, Hoppy with a dry finish
- Priscilla : Priscilla is our smoked peach wild ale. A good friend of ours helped us smoke an insane amount of peaches to age in our golden sour base beer. Back in April, we used alder wood to add a light, sweet smoke component to the peaches. The resulting beer wafts layers of complexity. She starts smoky and kittenish, then as she warms, bright fresh peach character jumps from the glass.
- Blackberry Rye : This offering in our Native Series was brewed with select heritage barley and rye malts and fermented with a wild strain of native yeast harvested from honeysuckle blossoms found on Blackberry Farm’s 9,200 acre estate. A secondary fermentation with blackberries followed by additional aging in Tennessee whiskey barrels lends notes of dark fruit and oak to this medium bodied ale’s malt profile, accentuated by a mild tartness and earthy complexity from the wild native yeast.
- BelGene Blanca : This late winter version of the BelGene series features a large proportion of organic raw wheat and organic wheat malt, as well as a sprinkle of organic rolled oats. These hearty grains impart a smooth and silky mouthfeel to this very light straw colored ale. Featuring the Nugget hop in the flavor and aroma of this beer, it lends an orange blossom type character that is surprisingly delicate in this fruity but dry Belgian style ale.
- Sea Bass : According to the head brewer, this a "dark farmhouse ale".
- Frambuesa I Chocolate : A dark, sour beer with raspberries and chocolate.
- Southern Hops’pitality : Southern Hops’pitality is Lazy Magnolia’s offering of delicious cheer to all of our fans. We pride ourselves on our porch-sippin’ and backyard grillin’ with our beloved kinfolk, and this traditional IPA offers the perfect libation to add to the Southern hospitality and charm that we hold so dear. Our session IPA has a bold citrus burst on the front end with hints of tropical fruits, such as grapefruit, orange, and mango in the finish. Lazy Magnolia’s brewers use a unique hop blend for an exciting dry-hopped aroma, and with a light straw color and crisp, smooth finish on the palate, this 6% ABV, 60 IBU IPA will help you extend some “Southern Hops’pitality” to your loved ones. From our porch to yours, Cheers Y’all!
- Gulden Draak Brewmaster's Edition :  To celebrate the 230th birthday of the brewery, a Belgian strong dark ale aged in Whiskey barrels from Brouwerij Van Steenberge.
- Slumbrew Porter Square Porter : Rich black porter with a unique blend of chocolate, coffee, roasted and nutty flavors. Brewed with cocoa powder and conditioned with cacao nibs from Taza Chocolate. Bold flavors from the cacao nibs and black malts are balanced with a special blend of pale malts, oats and wheat to produce a lush and lingering mouthfeel.
- Scratch Beer 132 - 2014 (Fest Lager - Dunkel) : Our latest Scratch Beer creation represents our interpretation of a traditional dunkel (German for “dark”) beer. Originally developed in Bavaria, the Dunkel Lager is generally regarded as the world’s oldest true beer style. Keeping our roots in traditional German brewing in mind, but giving a nod to our more exploratory instincts, Scratch #132 is a refreshing, slightly gentler take on the style. The use of Chocolate and Munich malts coupled with noble hops results in a smooth, rich, and complex lager. Scratch #132 combines a slightly dry chocolate note and bready sweetness with the roundness and crisp character of a classic lager, but without the heaviness of other dark beer styles such as porters or stouts. Prost!
- Spanish Eagle : Brewed especially for our anniversary, this English style barley wine was made with Michigan maple syrup and aged on Spanish cedar for a complementary, light, earthy wood layers. Candied fruits, toffee, caramel, and biscuit lend to a full bodied and rich ale.
- Farmhouse Ale : Gervasi Farmhouse Ale pours out to a dark straw appearance with a dense white head. With flavor and aroma of tropic fruit and light pepper notes, it creates a pleasant balance between the hop and malt profile. Brewed exclusively for Gervasi Vineyard™ with unique recipes and styles that can only be experienced at a GV Destination.
- Appleton Brown Ale : A London style brown ale. Dark & Mild. It has been said to rival the best of England's brown ales & has certainly become a local favourite.
- OG Sight Of Land : Hopped intelligently with Amarillo, Simcoe and Centennial. Unfiltered, yet refined. A hop-forward American pale ale, but with a balance of malt to make quaffable. Tasting Notes: grapefruit peel, pineapple, white peach.
- Barn Town / Une Anée - Follement Passionneé : Collaboration with Une Anée. Wild fermented sour ale brewed with passionfruit and strawberries, aged in red wine barrels for 6 months.
- Cherry Picker : Cherry Picker is our newest fruit-forward Brettanomyces ale. After hand-selecting our best Brett beer barrels with the brightest fruit character, we added Balaton and Montmorency cherries picked from the very highest tree branches, closest to the sun, for maximum ripeness. We then blended the components back together, fusing Brett funk with cherry pie aromas to create a rich, crimson, cherry bomb of a beer.
- La Niña : The La Niña is the counterpart to our house blonde ale, El Niño. This fruit and spice forward blonde ale is aged on local mango and habanero pepper. You will find it bright hazy golden in color with orange hues and aromas of ripe mashed mango, candied tropical fruit, and subtle spice. Sweet honey laced grain, juicy mango, and a building pepper heat sweep the palate finishing with a tinging spice kick and dry finish.
- Ol' Fog Burner : The biggest of all beers, "Ol' Fog Burner" Barley Wine is an exceptionally mellow and complex ale. It's tawny copper colour and subtle sweet spiciness transcend boundaries and expectations. Suitable for cellaring.
- Curiosity Thirty Two : Our curisoity continues with an intensely kettle and dry hopped Double IPA featuring a combination of Citra and Nelson hops! The base of Thirty Two features just Pale and Dextrin malt, resulting in an appealing glowing yellow appearance. We experience flavors and aromas of juicy tangerines & tropical fruit balanced by a grapefruit note on the finish. An immediate crew favorite, indeed! The label for Thirty Two evokes a yearning for adventure, discovery, and reflection, recalling the founding principles of Tree House as we approach our 5th Anniversary.
- It Was All A Dream : A wheat India Pale Ale brewed with oats for a silky body. Hopped with Citra and Simcoe and dry hopped with more Citra, Simcoe and Amarillo. Light colored with a medium body and slight malt backbone. A mellow "cousin" to a Northeast IPA. Fruity, Citrusy, and pretty approachable in an IPA sense.
- Epic Mosaic : So much beer with so little flavour. Contemplating the blue pill? Wait! A new pony with a kick-ass facial horn. Power to neutralize the poison from the faceless industrial brewing complex. No more green bottles, just green hops. No virgins needed to tame this. May contain traces of Alicorn.
- Galaxy Park : Bold, spirited and intensely aromatic, Galaxy Park is a single hop pale ale that’s full of surprises. Galaxy hops from Australia work with our unique house yeast to create a complex and layered flavor profile, going beyond Galaxy’s initial burst of pineapple, passionfruit and citrus, to wry hints of riesling and fresh cannabis. This is a beer for adventures -- great for cooling off after a crosstown bike ride or a meandering hike in the redwoods.
- Azacca Extra Pale Ale : This special release was brewed to show off a brand new hop variety, Azacca; named after the Haitian God of Agriculture and grown organically in Yakima Valley. It is advertised as a hop big in citrus and tropical fruit notes. The pairing of it with the biscuity type malts used in the mash make for a flavor reminiscent of sunbrewed strawberry and peach tea with a finish so clean and ballanced you might think its a lager.
- Wolf Picker : Wolf Picker is named in honor of our hop growing community and the harvesting rig they use. Each year, the brew is crafted with same malt base but with new and unique varieties of hops. Some of the varieties are so new, they’re not even named yet. Wolf Picker 2016 features the experimental HBC 438 and Cashmere hops. These two offer a complex and layered hop character that combine hints of coconut, papaya and mango with a mild herbal quality.
- RHH Rosemary Honey Hefeweizen : Variation of our HWH using local honey, featuring the aroma and finish of local rosemary. This is our gold-medal winner in the 2017 Honey Beer Competition for best honey, fruit and spiced beer.
- Double Dry Hopped Galaxy Juicy Bits : We got our hands on even more Galaxy hops to use with Juicy Bits, our popular New England-IPA featuring a huge citrus and tropical fruit hop character with a softer, smoother mouthfeel from the adjusted water chemistry, higher protein malts, and lower attenuation. For this Galaxy DDH batch of Juicy Bits, we dry hopped with nearly 4 lbs per bbl of Galaxy hops, in addition to the normal dry hop schedule of Citra, Mosiac, and El Dorado, bringing the total hop rate to over 7 lbs per bbl! We also extended the dry hop a touch longer and attenuated the beer a bit further, resulting in an incredibly bright hop character, a soft, pillowy mouthfeel, with very little malt sweetness so that the focus is on squarely on the incredible hop character.
- Never Scared : Never Scared is the next offering in our Never fruited Gose series. Clocking in at 4.9% we used pink Himalayan Sea Salt in the kettle and condition this tart Gose on hundreds and hundreds lbs of Pink Guava purée. 
- Shades Of Cool : Shades of Cool is a golden sour beer aged on oak barrels with black currents. We only made two oak barrels of this fruited sour, so enjoy it while it's here!
- 03.03.03 Vertical Epic Ale : A new Vertical Epic will be released every year, with the goal being to collect them all and have a Vertical Epic tasting once the final Epic is released on 12/12/12. Each new Stone Vertical Epic Ale will be release one YEAR, one MONTH and one DAY apart. With Vertical Epic 03/03/03, we used some pretty interesting ingredients...coriander (a "Belgian-style" beer favorite!), alligator pepper (wow, bite into these little gems and you get a bigtime spicy rush of flavor), and a bit of both unmalted wheat and dark roasted wheat. And a blend of Belgian yeast and American ale yeast. And a nice selection of high alpha hops (a decidedly non-Belgian style twist). All told it makes for a dubble-ish taken-to-San-Diego-pushed-to-the-edge-and-slapped-around-a-bit beer. So, treat it gently. It's been abused enough already. Store it upright, cool and in the dark. It would enjoy a nice long rest. It will have plenty of patience. Now let's see about you ... In addition, we are pleased to provide the homebrewing recipe: http://stonebrew.com/timeline/030303
- Crasher In The Rye 2017 : Ahh, what better smell is there than chupacabras, defeated, burning in a field of rye? Ummm perhaps the complex aromatics of Crasher in the Rye? For 2017, we brewed the base beer, Undead Party Crasher, and replaced the smoked malt with rye malt to complement the roasted chocolate core of the brew. Then we aged the beer in 100% rye barrels to create a new version of Crasher in the Rye.
- Saddle Bronc Brown Nitro : Saddle Bronc Brown served on a nitro tap at the Black Tooth Brewing Company taproom: an English-style brown ale with a malt profile of caramel, toffee and cocoa. A dark ale that is well rounded with a malty sweet flavor with clean finish, yet slightly less alcohol by volume than its original variant.
- Kelp Stout : If there’s one sentiment that’s constantly repeated among craft beer drinkers it is, “This beer is good but it needs more seaweed!” If we’ve heard it once, we’ve heard it a thousand times. Well folks, message received. Tofino Brewing Company presents to you the Kelp Stout. A dark, rich, full-bodied ale brewed with locally harvested Kelp, giving a unique, umami-type quality to this complex beer.
- Parlay : A New England style IPA with a pillowy like softness upfront that makes way to a smooth hop bitterness from our late additions of Amarillo, Simcoe & Columbus. This ale was fermented with a carefully selected English Yeast strain to give this beer a hazy complexion and solid mouth feel.
- Divided Sky Rye IPA : This beer brings together tow of our favorite ingredients; hops and rye - serious hops up front provide a pungent, floral, and citrus character. We use centennial, Columbus, and Cascades in this hop lovers dream. The rye provides a slightly spicy flavor and a full mouth-feel. Divided Sky pours straw in color with notes of tangerine, grapefruit, and pine. Drink fresh!
- Oscillation 009 : Double IPA dry hopped with a ton of Galaxy, Mosaic, and Amarillo. Notes of citrus, apricot, orange blossoms, passion fruit, floral, light haze, juicy fruit.
- Byward Brown : This Nut Brown has the aroma of lightly roasted coffee and chocolate with the color of toasted hazelnuts. Although this brew has a rich darker color it is surprisingly mild and smooth in flavor, making it a refreshing pint. This beer has been called a gateway brew to the dark side.
- Hands In the Cookie Jar : Selfish. Greedy. Lawless. This stout wants it all. The chocolate chip cookie confluence of rich cocoa nibs, Madagascar vanilla beans, lactose, and brown sugar create a complex yet incredibly light and creamy milk stout. Bitterness bails. Sweetness prevails.
- Paradise Lost: Guava : A golden sour ale refermented with heaps of Guava nectar. A juicy, fruit-forward sour ale with a lingering tropical fruit aftertaste.
- Scratch Beer 232 - 2016 (Imperial Amber Ale) : Amber Ales tend to explore one end of the beer spectrum (sweet, malty, and toasty) to the other (floral, bright, and hoppy). With Scratch #232, we’ve aimed to create a darker, more robust Amber Ale while still maintaining a bold hop presence. The substantial grain bill incorporates notes of toffee, toasted bread, and fresh baked biscuits, while two of our favorite hop varieties – Columbus and Nugget – provide a wash of pine, fresh cut flowers, and earthy spices across the palate. The addition of experimental Idaho 7 hops lends hints of peach tea and summer fruit as well as a dry, peppery finish.
- Jacque's Double Black India Pale Ale : This very complex, yet well-balanced ale, has toasted complex-malt overtones, balanced with oats for creaminess. This beer is contrasted with an array of hop additions, designed to give it a bold, yet not overwhelming, hop finish.
- Enjoy By Black IPA : Just like its golden envelope-pushing counterpart, Stone Enjoy By Black IPA is intensely hoppy and should be enjoyed über fresh to experience its vibrant stone and tropical fruit flavors and dankness.
- Odyssey : Allagash Odyssey is a dark wheat beer aged for ten months, a portion in oak barrels and the remainder in stainless tanks. The recipe includes 2-row barley, malted wheat, a generous amount of roasted barley and Belgian candi sugar. This deep brown beer boasts an aroma of black treacle and raisin. The flavor hints at dates, with a mildly roasted finish imparted by aging in both medium and heavy toast American Oak barrels. The finish is dry, punctuated by vanilla.
- Rico Sauvin : An India Pale Ale featuring Nelson Sauvin hops. Named after the Sauvignon Blanc grape, is a variety of hop developed and grown in New Zealand. It has a strong fruity flavor and aroma that is described as resembling white wine, or fresh crushed grapes or gooseberries. Some reviewers of this hop perceive the fruitiness as being very tropical with descriptions including passion fruit, tangerines, and grapefruit. These hops are organic and are about 4 times as expensive as our normal American varieties.
- Rasselbock : There was particular attention to the malt bill using pale munich, wheat and rye. There was no fruit harmed in the making of this beer, however you can't avoid the beautiful banana esters and clove phenals that the Weihenstephan weizen yeast expresses. Rasselbock is a German style Dark, Rye, Wheat beer.
- Miracle Worker Tripel : Golden and clear, this take on the Belgian staple holds a complex floral aroma. Made with pilsner malt and using Belgian yeast, the brew is inspired by Trappist brewing tradition, offering a honeyed sweetness on the tongue, yet a satisfyingly dry finish. Pairs well with both complex and traditional cuisine. We freed the hops on this beer; be mindful, as it can be deceptively strong.
- Skullcrusher : Brewed for the winter months this dark brown ale is 6.5%. Chocolate Malt and Dark Crystal malts are used and balanced with Goulding Hops to produce a robust beer with a very round mouth feel.
- Anglers Ale : "Tighten your lines, Anglers." This is one brew worth reeling in. A Standard English Bitters, which possesses a medium body, dark copper in color and thick creamy head. Mild and pale ale malts blended with wheat and then dry hopped.
- Kelpie Seaweed Ale : At least four hundred years ago, the coastal & Island farmers of Scotland used seaweed beds to grow their cereal crops. This barley produced very interesting flavors in the ale and whiskey they produced. Including bladderwrack seaweed in the mash tun along with organic barley gives this wholesome dark ale a distinctive flavor.
- Andygator : Andygator, a creature of the swamp, is a unique high-gravity brew made with pale malt, German lager yeast, and German Perle hops. Unlike other high-gravity brews, Andygator is fermented to a dry finish with a slightly sweet flavor and subtle fruit aroma. Reaching an alcohol strength of 8% by volume, it is a Helles Dopplebock.
- Lamb's Wool : Apple & Spice Gruit. Warming, fruit, spice. Lamb’s Wool is a spiced gruit ale, made with barley malts and blended before fermentation with unfiltered organic juice pressed from Québec orchard apples. Real cinnamon and whole cloves add a warming spice character to this traditional winter wassail.
- Ten Buck Chuck : Chuck Silva is a pioneer of the West Coast style IPA and a legend in the San Diego craft beer scene. He recently resettled on California's Central Coast to begin his next chapter in craft beer - opening Silva Brewing in Paso Robles. No stranger to hops himself, Firestone Walker Brewmaster, Matt Brynildson wanted to welcome Chuck back to our beautiful region. What better way to be neighborly than work on a beer collaboration. Naturally, Barrelworks did not want to miss out, offering a French oak horizontal foeder from Saxum winery, our resident wild critters, and 6 months of barrel aging time to this adventure. Introducing Ten Buck Chuck! This wild ale demonstrates a new spin to Barrelworks beers: transforming a hop forward beer through secondary fermentation and oak aging. The result is an amazing twist on IPA. Hop-derived aromas of mango, dried apricot and pineapple blend seamlessly with the tropical character of our wild microflora. A glimpse into the world of hop aroma biotransformation. Soft oak and funky fruit forward flavors give way to a firm yet clean hop bitterness and gentle acidity that is uniquely quenching. A santé!
- Green Man ESB : A malty amber ale boasting rich toasted and caramel flavors, Green Man ESB is one of our award-winning signature brews. Our blend of authentic British malts and hops creates a nutty aroma, full body, and a sweet finish. Prepare yourself for a truly exceptional interpretation of a traditional English style.
- The Crawl Stout : Inspired by the timeless words of sprit of the west, this creamy stout will keep you going ‘from the troller to the raven.’ Jump on a bus, hop in a cab, or grab your bike and we’ll see you at the last stop before the band takes the stage. Tasting notes: smooth finish, roasted malt, hints of espresso, dark chocolate colour.
- Summa Vitis : Here’s a beer that sums up summer in a sip. Summa Vitis is a refreshing combination of our tart wheat beer with the crisp, delicate character from white wine, imparted from brewing with Gewürztraminer grapes. This special recipe showcases both the spritzy, mineralic side of white wine and the funky, fruity notes of a racy Berliner Weisse-style beer, further accentuated from aging in oak foeders. We’re passionate about wine and beer. This is the total experience.
- French Toasted Joe : An oatmeal stout brewed with coffee, maple, and cinnamon. Rich and full flavored with prominent notes of chocolate and dark coffee. Breakfast for dinner anyone?
- Hudson Valley Harvest - Black Raspberry : Sour Ale aged in oak with black raspberries. Tart, dry, and fruity finish
- Graham Cracker Porter : Like a campfire in a glass, this robust beauty has seductive notes of vanilla, smoked cedar, and mulling spices on the nose. A dark pour with mild lacing, she is a rollercoaster of lush chocolate and fig fruits diving into a semi-dry finish of toast and biscuit.
- Yuzu Illusion : Fruity aroma with notes of cloves, orange peel, honey, with sublte notes of yuzu, slight pepper spice lingers. 5.2% ABV is right for day drinking.
- No Agreement : Pale Ale is on tap today. 5.6% ABV and 44 IBUs. Really unique dark berry and tropical flavors from the hop combo of mostly Riwaka and Mosaic with smaller amounts of Chinook, CTZ and Centennial. Notes of passionfruit, pineapple, and a really unique blackberry character.
- Giving Thanks : From our wild cellar comes this blend of Belgian style Dubbels from 2nd use rum barrels and strong ale from brandy and 2nd use bourbon barrels. All of these beers underwent an extended lactic fermentation in barrels for 11-28 months. Akin to an Oud Bruin, the final blend is balanced with gentle acidity and supporting malt character. Implementing the use of 2nd run barrels allowed us to control the oak and spirit character to a supporting role. Giving Thanks is a wonderfully complex beer with notes of nuts, tobacco, plum and oak with supporting acidity.
- Double IPA : This is not your average Double IPA, and is what you’ll want after a long hard day at work. It goes down smooth, but packs a serious punch. This complex brew is well balanced between a sweet malty body and aggressive hops.
- Barleywine : A showcase of richness and complex, intense flavors. Our aged American interpretation is bigger and hoppier than an English Barley wine. It still has a balanced body and residual sweetness.
- Latitude Zero : Latitude Zero is a refreshing Witbier inspired by the Ecuadorian (Latitude Zero) tropical cuisine. Combining real mango and passion fruit along with a noble, pleasantly clean flavor and aroma that can only come from a Legacy.
- Nut Brown Ale : A sweet ale, light brown in color with a nutty flavor, which comes not from nuts, but from the roasted barley. Medium bitterness and nice hop character.
- Midnight Climax : Baltic Porter differs from other porter styles in that they tend to be higher in alcohol content, often a bit smokey, and often lagered. Midnight Climax is all of these, resulting in a rich, complex, full bodied porter with the clean finish of a lager yeast.
- The Earl Of Biggleswade (2014) : Dark Lord aged in a brandy barrel with cardamom, coriander, and cacao nibs.
- Heavy Hearted Amber : Sometimes you win at love, sometimes you lose. With each loss there is a heaviness that sets into your heart. Get out of your funk with this full bodied, brilliant amber. The sweet aroma followed by a smooth nutty taste will remind you that there is always another-beer or lover.
- Tropical Thunder : "Unique fruity notes arise in this filtered wheat beer from using new school Mandarin Bavaria & Hull Melon hops, classic Bavarian Weiss beer yeast and a touch of dehydrated pineapple juice. This DB Family Brew was led by Senior Brewer Josh French.
- Jesus Juice (Pinot Barrel Aged Three) : Ash aged Dark Braggot aged in a French Pinot Noir barrel.
- Spark House Red Ale : Crafted without artificial flavouring or colouring agents, Spark House gets its deep mahogany hue and distinctive taste from a unique blend of domestic and European hops and dark-roasted specialty malts.
- Über Joe : On the surface, ÜberJoe lives up to its name sake: it’s a big coffee beer. But as with most things at 3 Sheeps, the story behind the beer is more complex. From the full-flavored roast we developed with Colectivo Coffee, to the vanilla we add post-fermentation, to our partnership with Black Swan Cooperage and their unique “honeycomb” cut barrel staves that produce a deeper barrel flavor than typical staves — everything in Uber Joe is designed to highlight its massive coffee flavor. It may be more time consuming, sure, and more expensive, but the end result is worth it. It’s a chocolatey, vanilla stout with notes of sweet baked bread, bourbon, maple candy and all of the coffee flavor you can handle.
- Gestalt : Gestalt is an Altbier with an assertive hop bitterness and crisp amber malt character. Notes of caramelized bread crust and toasted pecans complement spicy and earthy Noble hops, resulting in an ale/lager hybrid that’s complex, balanced, and drinkable. Keep cold enjoy fresh!
- Cozy Blanket : Cozy Blanket is an American Porter. Dark brown with a thick and creamy mocha colored head, Cozy Blanket has aromas of chocolate and caramel. This American Porter has a full-bodied mouth feel with flavors of chocolate, toffee, and caramel. Cozy blanket finishes smooth with a nice nutty flavor.
- Red Rye : Belgian Strong Dark Ale brewed with Rye.
- Great White Buffalo : You hold in your hand the liquid that launched a golden age for Witbier in Houston. Complex yet sessionable, it’s a fully committed, uncompromising Wit that finishes dry and crisp with the yeast driving the flavor. It's a very straight-forward traditional Belgian beer.
- Big Star White IPA : Belgian White IPA brewed with barley and wheat, containing wonderful grapefruit citrus aroma and peppery sweet finish. An IPA for everyone.
- Steady Rollin' Session IPA : Refreshing and light-bodied with bright grapefruit and passionfruit aromas. Brewed with Harrington 2-Row Base Malt, Crystal 45 Malt, Mosaic Hops. 
- Pilot #27 - Chocoholic Stout : A Belgian Stout brewed with cocoa nibs and dark chocolate from "Cacao Prieto" a chocolatier and distillery in Brooklyn, NY
- Imperial Stout : A rich, strong black ale, names for the Imperial Russian court! This beer tastes like a dark chocolate-covered espresso bean. Its silky smooth, and drinks lighter than its strength would suggest.
- I See The Vision - Prickly Pear And Passion Fruit : Lupulin powder IPA with rotating fruit
- Stoutnik RIS : Made using a combination of high alpha whole British hops like Target and Northern Brewer for bitterness and balanced against roasted chocolate and black barley malts. The Stoutnik is a complex and rich beer without an overpowering sweetness.
- Von Jakob Stout : Rich, dark beer. Taste of coffee and chocolate from 4 varieties of malt, 2-row brewers malt, English Chocolate, black malt and roasted barley. Great hop flavor and aroma from Liberty and East Kent Goldings Hops. Smooth, what a Stout should be.
- Smoked Baltic Porter : "this dark lager gets its special twist from a hefty addition of Bamberg smoked malt." 
- Trailbreaker : One of the many Tree House debuts to celebrate our third anniversary is a proper unfiltered German Style Lager! Trailbreaker pours a beautiful golden amber in the glass and emanates fresh malty and floral aromas. The flavor is super refreshing, with soft bitterness and a complex and robust malt character and hints and touches of lager yeast. The brainchild of the one and only Brendan Prindiville, Trailbreaker is a real stunner on a hot summer day, indeed.
- Wine Barrel Aged Combover Saison W/ Apricot : A Brettanomyces fermented Saison that is a blend of 70% Stainless aged, 30% White Wine barrel aged versions with Apricot puree added post fermentation to create layers of fruitiness, funk and tartness. 
- Blackbeerd Imperial Stout (2013) - Blanton's Barrel Aged : As dark as the legend of Blackbeerd himself, behold the Imperial Stout. Sweet malts battle roasted grain on the decks of yer tongue. Like a blast from a cannon, hop are followed by smoked malt. Hold on to yer booty, a dark stouts a brewin'.
- Newport Storm - Henry (Cyclone Series) : At the time of brew, Henry had the highest ‘terminal gravity’ of any beer we have made. This means there are more “non-fermentables” remaining. Purposefully created this way, the body of this beer is silky smooth and has an awesome mouthfeel, that is dead-on for a Munich dark style; over half the malt in this brew was Munich malt. We used our house yeast strain to ferment this brew a little cooler, giving Henry extended tank time to be more true to the style, finishing lager-style dry and crisp. Chocolate malts are abound in Henry and compliment bold meat dishes. Henry was the first beer in the US to use the 2008 crop of the famous ‘German Tradition Hop.’
- Cigar City / Bottle Logic - Digital Dissolution : Born in Florida, theoretical physicist John Archibald Wheeler proposed the notion of “digital dissolution”, a concept of digital physics inexorably connected to fundamental questions of the nature of time and existence. Born in California, Bottle Logic Brewing tackles questions of the nature of time and existence by following their thirst of knowledge and beer. Born at Cigar City Brewing, Digital Dissolution is a British-style Imperial Stout brewed with canistel, colloquially called “eggfruit”, that finds Cigar City Brewing and Bottle Logic Brewing exploring the furthest reaches of beer ingredients and processes to honor Professor Wheeler and his contributions to the theoretical realm of physics.
- Nebula Oatmeal Stout : "Our stout is a truly contemplative brew. Hints of fresh coffee, dark chocolate, and caramel with a velvety brown head. Golden naked oats provide a sweet-nut flavor and a smooth satiny finish. 18 IBU's, 6.8% alc/vol"
- OPA Oatmeal Pale Ale : Pours a beautiful golden hue with dense rocky head. Oatmeal Pale Ale is silky smooth and packed with tropical fruit aroma. A healthy addition of oats provides a smooth bodied golden base. Mosaic and Simcoe hops add bright notes of guava, papaya and citrus. This refreshing beer is high on hop aromatics yet well balanced with modest bitterness.
- Trickster IPA : In mythology, the raven can play tricks or otherwise disobey normal rules, hence the name Trickster. This well-balanced IPA has a light fruit, citrus and piney hop aroma with a full hop flavor. With delicately balanced malt and hops and a 6.9% ABV, this beer has truly earned its name. Available year-round.
- Alaskan Husky IPA : Alaskan Husky IPA is based on a small batch SMaSH Mosaic IPA recipe using a single malt and single hop to explore the specific desired characteristics of certain malts and hops. Hop varieties are often best known for either bittering properties or for high aromatics and complex flavors. The Mosaic hop is an example of a hop that can bring both elements to a beer.
- Brains Jack Black : This deliciously dark oatmeal stout is brewed with a combination of dark malts, roasted barley and oats to give complex roasted flavours and a smooth, creamy mouthfeel. Brewed in honour of Jack Black, the mysterious cobbler of Llareggub, this is the latest in our range of Dylan Thomas inspired beers.
- Mushy P. : On October 17, 1814 in Giles Parish, London, a 22 ft tall wooden porter tank ruptured, causing surrounding vessels to burst, releasing an estimated 323 gallons of house- destroying porter tidal wave. Porters were the overwhelming ale of choice for the London working class. Mushy P pays homage to this English brewing tradition with complex roastiness and robust flavor.
- Renegade : This beer isn’t quite a stout but it’s too dark to be an IPA. It might start out tasting kinda like a dry stout, but then the grassy and citrusy Amarillo hops kick in. We used Amarillos for bittering and the flavor/aroma additions. Judging that to be insufficient, we then dry-hopped the beer with Amarillos. We like the way Amarillos taste in this beer, so we went for it.
- Argent : We experimented with some Norwegian farmhouse yeast (kveik) and dry-hopped it with plenty of Citra, Mosaic, and Simcoe. Fruity, estery notes from the yeast combine with the tropical, citrus, and dank aromas from the hops. Medium body with a soft finish. Skål!
- Daft Punkin Autumn Farmhouse Ale : This hazy light orange colored farmhouse ale has a big aroma of ripe fruit intertwined with subtle fall spices. It is light bodied and has a touch of acidity, yet has a full mouthfeel from the use of Lone Pine Sugar pie pumpkins in the mash. It finishes with a crisp spiciness and a very mild heat from the peppercorns.
- Ferme Agrume #4 : Our fourth release in our Citrus Farmhouse series pairing single citrus fruit with a single hop, in this case Golden Nugget Mandarins and Mandarina Bavaria (an experimental varietal of the noble hop Hallertau).
- Wabba Lubba Dub Dubbel : Our Belgian Dubbel has a nice malt backbone complemented with caramel & raisin sweetness with a slight hint of chocolate. We added over 40lbs of plums to this batch to add to the flavor and complexity of the newest addition to our lineup.
- Otter Creek Black IPA : Traditionally untraditional, Black IPAs—also known as Cascadian Dark Ales or American Black Ales—originated here in Vermont under the auspices of American craft brewing pioneer Greg Noonan. This rich, delicious brew fuses pronounced hop aromas and darkly roasted malts in a style born in the Green Mountains.
- Vice Bier : This brew's grain bill is comprised of 50% white wheat malt and 50% malted barley. The ale yeast allowed this beer to develop traditional fruity, sweet flavors, including banana, vanilla, and clove.
- Black Eye : Black Eye is creamy and chocolaty, with hints of coffee. A rich malty body and subtle roasted flavors round out this beer inspired by the strong, dark brews exported from Great Britain to Eastern Europe in the 18th and 19th centuries.
- Paul's Pale Ale : Paul’s Pale Ale is an old school, west-coast style pale ale that starts off with nutty and caramel notes from a blend of crystal malts and finishes with a satisfying hoppiness, making this an easy-drinking pale ale. Paul’s Pale Ale has been the hands-down favorite of the SBC regulars and staffers since 1998!
- No More Sleep : No More Sleep is a brand new offering from our Funkhaüst. Clocking in at 5.9%, No More Sleep is a dark farmhouse inspired ale barrel fermented with mixed cultures in 80% spent bourbon barrels that previously held Sleeping Forever and 20% new oak. No More Sleep spent just over 6 months in these barrels fermenting and conditioning, then we blended all of the barrels together and bottle conditioned them for another 2 months. Powdery dark cocoa, oak tannins, bright tart cherry acidity, leathery, effervescent, and refreshingly dry. We hope to make this a once a year beer, so don’t expect to see this one for another 12-18 months.
- Santa's Little Helper : Santa’s Little Helper, our Imperial Stout, starts with an emphasis on dark cocoa and roasted coffee aromatics. The finish lends hints of sweet crystal malt, warming tones of alcohol and a touch of hops, making a perfect accompaniment to leftover fruit cake and sugar cookies.
- Vampire For Your Love : Our opening day Saison is back for more. This traditional Belgian farmhouse ale was spiced with Szechuan peppercorn and kaffir lime leaves to give this complex brew notes of pepper and citrus.
- OG Udderly Juicy : IPA brewed with Mosaic, Simcoe, and lactose. Pale and hazy with fruit punch notes followed by a creamy finish.
- Latte : A complex winter time milk stout brewed using a special blend of ginger, cinnamon, nutmeg, cloves, lactose sugar, and locally sourced Orinoco Velvet Hammer coffee. Coffee up front, moderately sweet with a slight coffee bitterness in the finish.
- Keepin It Peel : Citrus IPA with grapefruit and lime peel.
- DDH Illegal Dance Moves : Double Dry-Hopped Illegal Dance Moves. Yes, you read that right! We took a crowd favorite and, along with adding a generous helping of Summer hops, doubled-down on the amount of Citra and Mandarina Bavaria during dry-hopping. The result of this elevated version is an even juicier Double IPA, surging with citrus and tropical fruits moonwalking all over your palate. At 9.0%, DDH Illegal Dance Moves will bring a little disco and boogie to your Memorial Day get down.
- Boarrior IPA : A prominent hop bite is balanced by complex malt character. Dry hopped with Warrior hops. 
- Transmigration Of Souls : Inspired by the Orphic bone tablets which explore the dichotomous nature of life and death, our Bone Tablet series reveals the many sides of the IPA. Transmigration of Souls is an irresponsibly hopped Double IPA, bursting with life from an absurd amount of aromatic hops. You’ll experience a bouquet of orange, lemon, and tropical fruit sitting on top of a clean, dry malt body.
- Mud Supreme Mudslide Stout - V2 (No Cinnamon) : Version 2 of this dessert beer showcases swirling flavors of caramel, fudge, and sweet vanilla that finishes with the delicious nuttiness of house-roasted pecans dipped in dark chocolate (no cinnamon).
- Iron-Age : A deep aromatic and fruity beer with hints of passion fruit. From marathon to the edge of heaven. Where Romans witnessed Druids. When sacrifice, ritual and cultures met. When ages welcomed magic.
- Belgian Beast : Loaded with Centennial and Citra, this monstrously hopped Belgo-American IPA packs a citrus punch of flavor, followed by a lingering bitterness. The addition of Orange blossom honey adds a level of complexity while coconut sugar creates a dry finish. Spicy, dry and full of flavor, this brew is destined to be enjoyed with your favorite burger.
- Cherry Porter : Brewed using only the plumpest, ripest whole BC cherries, each glass of Cherry Porter is lush and creamy with a fruity aroma.
- Éponine : Éponine is a Belgian Blond aged in Brett-inoculated oak barrels for five months. Complex characteristics of oak and grape must balance with notes of cedar, meyer lemon, and grape. Slightly tart and deliciously fruity.
- Warsteiner Premium Dunkel : A rich dark amber beer with full-flavored, smooth taste nicely accented with satisfying notes of roasted malt and subtle bottom fermenting yeast tones.
- Schlafly Winter ESB : Our Winter ESB (Extra Special Bitter) may have the word “bitter” in its name, but the key to this style is balance. The combination of malts and hops creates a toasty, fruity flavor. Our ESB is dry hopped with a US grown hop varietal called Williamette, which has a pronounced spicy, lemon flavor.
- Schlafly Pale Ale : Our flagship Pale Ale is a smooth, balanced, copper-colored session beer with mildly spiced flavor and aroma from the East Kent Goldings hops. The bready, lightly caramel malt complements the hint of fruitiness contributed by the London Ale yeast, making it satisfying and authentic; the perfect flagship beer for Schlafly.
- Pop-Up Session IPA : As a brewing team, we sought to make an India Pale Ale that showcased assertive hop flavor and aroma while maintaining a thirst-quenching drinkability by balancing the bitterness with a slight caramel malt character. A blend of our base pale, Marris Otter, and amber malts creates a simple, yet adequate malt backbone that allows Mosaic, Cascade, Amarillo, Citra, and Centennial hops to shine with bright, fruity, citrus notes. At 4.2% ABV and 41 IBUs, Pop-Up I.P.A. is a full flavored beer that’s suitable for all-day drinking.
- She's A Peach : Unfiltered wheat, strong peach flavor and other fruit flavors, ​low hop profile.
- Belgian White : An old Belgian farmhouse style, our white (or wit) is a wheat beer brewed with coriander and Curacao orange peel. A distinctive yeast strain, coupled with these spices, produces a cloudy, almost white beer, that’s fruity, spicy and exceptionally refreshing.
- Grimbergen Double-Ambree : Dark coloured ale with the bittersweet flavours of caramel and dried plums, made from double-fermented hops and malts.
- Inner Sanctum : Historically brewed by the pious monks of Belgium, this decadent brew features unique raisin and plum character resulting from select dark caramel malts and ten months of aging in oak brandy barrels. Gently warming with a lingering toffee finish. Best enjoyed with a smug attitude and a cashmere turtleneck.
- Whole Buffalo : Collaboration with Buffalo Bayou Brewing. Saison brewed with grapefruit peels.
- Little Oat : Big notes of green grape flesh, apple, strawberry ice cream, and light earth that move into Mandarine orange ,dry red wine, and sweet grapefruit across your pallet! Kettle hopped with Nelson Sauvin and dry hopped Caliente and Galaxy.
- Steam Jack : Typically referred to as a “Steam Beer” this beer uses a hybrid lager yeast and is fermented at warmer Ale temperatures, giving this beer a bread, toast and caramel complexity. Its session quality and mild hop character make it a great summer beer.
- Headless Heron : Generously spiced with nutmeg, cinnamon, ginger and cloves, this barrel-aged pumpkin spice ale overflows with dark fruit, dried fruit, and hints of bourbon. Perfect for settling in to watch a few leaves fall to the ground.
- Citra-Rye Pale Ale : Our single-hop rye pale ales are created to showcase the flavor and aroma characteristics of individual hop varieties. The grain recipe is kept the same and only the type of hop is changed from batch to batch. Citra is one of our favorite hop varieties and has some crazy tropical fruit flavors and aromatics – think mango, pineapple, and passionfruit.
- Fowler's Bluff IPA : An American West Coast IPA brewed in collaboration with the local band, Fowler's Bluff. It Purs a clear golden color with aromas of Citrus and Grapefruit. There is a nice hop bitterness at the end. (50 IBU).
- Northwest Pilsner : This crisp easy drinking pilsner was brewed was brewed with a blend of NW. Canadian and German malt; along with flaked rice. NW grown Cascade and Lemon Drop hops privide floral-citrus notes of grapefruit and lemon. Dry hopped for your drinking pleasure.
- Dark Side Vanilla Porter : An infusion of an old-world beer style and contemporary soul. Smooth, dark and roasted with highlights of chocolate, coffee and vanilla. Brewed with American, Canadian and English grown barley, American hops, Madagascar vanilla beans and natural vanilla extract.
- Plain Pig : This golden colored ale is the Pig Pounder take on an English classic pub ale. Hints of malty caramel and bread are balanced by a very modest hop addition, and complimented by an aroma of sweet fruit and floral notes. The overall light body, and low ABV makes this a highly sessionable English style ale.
- Belgian Independence Day Dry-Hopped Tripel (2015) : Our limited edition Belgian-style tripel honors Belgian Independence Day - July 21, 1831. In a New World twist on Old-World style, we've joined Ommegang innovation with Belgian tradition in celebration of the Belgian revolution and the American craft beer revolution. Dry-hopped with Mandarina Bavaria hops, this unique beer offers fruity aromatics, well-integrated honeyed malt character, and a delightful overlay of tangerine and sweet citrus notes.
- Ain't No Hop Steppin' : This beer is an India Pale Ale, or IPA, that includes some of the characteristics of the style known as “extra special bitter.” The beer contains five different types of hops. Instead of giving the beer an overly bitter taste, the hops are used in a way that accentuates their individual flavor quality, without being overpowering. The choice of malts provides a sturdy and pleasant background to support the multiple variety of hops. The beer is dark gold in color, medium-bodied with a pleasantly floral hop aroma and a subtle butterscotch aftertaste.
- Brain Freeze - Strawberry/Pineapple : Is it a smoothie? Is it a beer? Something to make the beer purists’ skin crawl? Sure, all of those, we suppose. Brain Freeze is fruity, creamy, tart and dreamy – what we’re calling a smoothie sour. This edition mixes strawberry and pineapple together with a whole bunch of lactose and vanilla with a pinch of gray sea salt and has a well-rounded tartness from a newly developed sour culture that brightens and enhances the complex fusion of flavors in this juicy style bender.
- Peavine Porter : The brewmaster’s pet. This rich and complex black beer has a smooth, deep, roasted flavor. The chocolatey-coffee finish in this brew comes from a mix of crystal, black, and chocolate malts.
- Curiosity Seventeen : Back at it! We took two of the most distinctive hops we know - Galaxy and Mosaic - and smashed them together in a big juicy double IPA that ignites the senses! We taste dank oranges, pineapple, passionfruit, and lemon lime. A very simple malt bill, consisting of just 2-row and dextrine malt, provides just enough backbone to support the massive hop saturation. . . . dangerous stuff!
- Cordial Tease : Dark cherries and peppermint spice up the rich chocolate and caramel malts used in this special brew. Flavors of chocolate, coffee, caramelized sugar, dark cherry and peppermint tease your palate until releasing to a warm, soothing finish.
- Highbridge Summer Ale : The Dyckman beer Highbridge summer ale is a Belgium-style unfiltered ale it is light-bodied, fruity, and refreshing. Infused with ripened cerezas, and a subtle hint of mint, Highbridge Summer Ale is fermented twice to add a revitalizing zing of carbonation. Aged hops create a delicate finish to a smoothly fresh taste.
- Miles Davis' Bitches Brew : In honor of the 40th anniversary of the original release of Bitches Brew, Miles Davis' 1970 paradigm-shifting landmark fusion breakthrough, we've created our own Bitches Brew -- a bold, dark beer that's a fusion of three threads of imperial stout and one thread of honey beer with gesho root. It's a gustatory analog to Miles' masterpiece.
- Rye 75 : Rye 75 IPA is a tribute to our friends along Interstate 75. The complex malt flavor in this IPA is afforded by a blend of pale barley, rye, and caramel malts. Rye 75’s malty sweetness is balanced with the spicy malt flavor from a generous addition of rye malt. In addition to its big malt profile, Rye 75 is balanced with an equally assertive dose of American hops yielding 75 IBUs. The additions of Cascade and Columbus hops, not only bitter this beer, but also lend a very citrus and floral flavor and aroma.
- Scratch Beer 53 - 2011 (Helles Bock) : Scratch 53-2011 is a classic overachiever. As the first beer brewed on our new pilot system we wanted to create an easy-to-drink traditional Helles lager that might become a regular draft beer in our Tasting Room. However, due to an incredibly efficient extraction rate in the lauter tun we have been blessed with a Helles Bock – the slightly bigger brother to our initially-desired Helles. In all honesty, we are not disappointed. The floor-malted Bohemian Pils delivers a distinctive nutty flavor with a bready finish. This taste is counter balanced by Hersbrucker noble hops’ distinctive spicy notes. Finally a slight yeast flavor comes through delicate beer. Cheers!
- Canvas Series: Concurrant : Concurrant is a brown sour ale aged in wine barrels. The addition of fragrant Dutch wild flower honey and tart black currants to the barrels during aging results in a complex balance of tart and sweet.
- Coffee Porter : Brewed with generous amounts of dark caramel and chocolate malts this porter is medium bodied with chocolate and prevalent coffee notes in the aroma and taste. Considered a brown porter by style but the dark caramel malts give it a deep brown color with dried fruit flavors in the finish. A mixture of Sumatra and a Sulawesi blend of beans was hand roasted by Motorworks Brewing staff in French and Vienna style, which provides subtle earthy flavors.
- DBR : Barrel aged extra imperial stout, clocking in at over 14.5% ABV, barrel aged in bourbon barrels it is one of our most complex untreated beers ever released!
- Oktoberfest/Marzen : This classic German lager is noted for its smooth, clean, and rather rich malt character. The maltiness is often described as soft and complex. There is a light to moderate toasted malt aroma that is brought out by its Initial malty sweetness, but the beer has a moderately dry finish.
- Twisted Cain : Twisted Cain is an American Black Ale that pours black in color with red hues passing through the edges of the glass, topped with a creamy off-white head. This medium bodied brew leads with a pleasant roasted aroma, before a sweet dark fruitiness, that ends in slightly bitter and dry finish.
- Abita Select India Pale Ale : Our English IPA is made with British pale and light crystal malts. It gives the beer a bright pale color and malty flavor. It also produces a very intense taste. It is hopped liberally with English Kent Golding Hops. This results in the beer having a pleasant bitter taste and fruity hops aroma. The extra bitterness will mix with the strong sweet flavor from the malt for a very balanced tasting beer. The result is a very bold and flavorful pale ale.
- Unibroue 17 Grande Réserve : This French oak aged, bottle refermented dark ale has a remarkable and complex flavor profile. Its Grande Réserve appellation is a fitting endorsement of its exceptional aging qualities.
- The Unkindness : This assertively hopped medium-bodied American black ale exudes a combination of woodsy and grapefruit hop notes, blended together with a complex dark malt character and subtle hints of chocolate and coffee. 
- Late Bloomer Hibiscus Saison : Brewed with pink peppercorns, a double dose of dried hibiscus flowers (boil kettle and post filtration), and a farmhouse style yeast, this Saison invokes characteristics of pink bubblegum, tart, red fruits and a slightly spicy note. Primarily using Pilsener malt, with additions of Munich and Wheat, the body and malt characteristics are low, giving way to the fruity esters presented by the Belgian yeast strain and allow the rosy hue of the hibiscus to shine. By using two strains of noble hops (Saaz and East Kent Goldings) for both bittering and flavor/aroma, the earthy and spicy hop notes compliment the phenolics of this farmhouse ale. 180 gallons of this beer are aging in 3 wine barrels to be re-released in early Summer.
- LEMMY : This Motör-oil rich stout was brewed in June of 2014 and aged for ten months in well-turned oak barrels. LEMMY’s wort (heh) was crafted using roasted wheat instead of roasted barley, which offers a very full, rich body but softer and more rounded roast complexity. Tannins, oxidation, and oak flavors subtly complement the malt notes of caramel, bitter chocolate, and espresso-roast, finishing with noticeable fruitiness. Black as pitch, its extended finish has notes of cacao, subtle oak and vanillins, and just a snaggletooth of tartness from Lactobacillus and Brettanomyces.
- Bang Bang Dudley : Bang Bang Dudley is an Imperial Red Ale aged for months in Irish Whiskey barrels from Teeling Distillery based in Dublin. These barrels have been around the world, housing bourbon and rum before making their way to Teeling. This huge take on the Irish Red style drinks almost like a smooth “Irish-style” barleywine, with rich, full, and complex malt character complemented by the unique flavors of the barrel.
- Cyclo Imperial Chocolate Stout : The addition of award-winning Marou Chocolate cacao pods in this full-bodied Chocolate Imperial Stout provides a deeply rich aroma and velvety texture. Cacao nibs are harvested and hand-picked in the Mekong Delta by Marou; chosen for their complex profile. This robust beer is then complemented with local cinnamon and vanilla. Cycle Stout is lovingly produced in small batches and hand labeled in Ho Chi Minh City.
- Solarys : In this beer we explore deep oceans of the mysterious planet we orbit... As these oceans of hop character push you to reject all sensory composure, we approach truth and we are condemned to knowledge! Breathe and drink to understand the aromas and flavors of intense tropical grapefruit, lime, and pine-resin in this can. We do not seek to conquer the cosmos, we only want to extend the Earth to it's utmost... We love that which can be lost, so drink this at the speed of light, before the depth of our beautiful hop aroma fades.
- Short's PB & J : Available any time Uber Goober is on tap. Take our popular Peanut Oatmeal Stout and blend it with our famous flagship Soft Parade, a fruit infused rye ale, and viola! I think you get where we are going with this one, it’s a liquid version of a peanut butter and jelly sandwich. This customer created concoction can also be found for a limited time in bottles.
- Oud Bruin : This 7.5% traditional Flemish-style sour was produced from a blend of beers aged for a range of up to two years in a variety of oak barrels. Long and slow fermentation with a blend of Brettanomyces, Lactobacillus, and other sour cultures contribute to the characteristically tart flavor. Notes of black cherry, raisin, and a hint of dark chocolate.
- Hudsons E.S.B. : Hudsons is a British style Extra Special Bitter full of hop bitterness and aroma. Rich floral and fruity aromas complement this tank-conditioned ale. Served from a traditional British beer engine.
- Palmistry : A double version of our classic Berliner Pale Ale (A tart pale ale) infused with over 2,200lbs of tropical fruit per batch, roughly 1.2 lbs. per gallon! Pineapple, kumquat & white guava give this beer huge tropical juice flavors and aromas with just enough tartness to balance it all out. Great in the morning, noon, or at night. 
- Brown Ale : Our most popular beer, Legend's is a full bodied version of a British Brown Ale. Expect a rich, malt-forward brew with a beautiful mahogany tone. Generous amounts of specialty malts bring flavors of sweet caramel, toasted nuts, coffee, and molasses, all perfectly balanced by a steady but cautious hop dryness. Fruity undertones provided by our house yeast strain bring the final flavor element to round out this world class ale.
- Michelob Ultra Fruit Pomegranate Raspberry : Michelob ULTRA Fruit Pomegranate Raspberry delivers a unique berry aroma that finishes with a hint of pomegranate.
- Can't Keep Up 33 : Blended dark saison comprised of various aged, oak fermented, and well hopped saisons. Deep and mysteriously delectable.
- Jenny Said Double Dry-Hopped IIPA : There's good reason IPAs are the favorite child of us Beersmiths; so many new hop varieties are becoming available annually and we love digging through these options hunting for great original lupulin expression. Jenny Said IIPA is brewed exclusively with a variety of these newfangled flowers for a unique spin on the tropical stone fruit/bright citrus/dank resin profile that is our trademark.
- Brains Dark : Once called Red Dragon the famous pint of Dark has always been synonymous with Brains particularly in Cardiff with the dock-workers of old, the male voice choirs and with rugby fans down in the Arms Park. Nowadays its popularity has expanded and is the biggest selling dark mild in Wales, continually winning awards both nationally and internationally.
- Science Experiment : Weird IPA brewed with oats and hopped with Citra and Centennial. Conditioned on grapefruit purée, whole vanilla beans and fresh rosemary. Quite sensible and nice.
- Southern Sixer : Six American hop varieties bring assertive citrus and tropical fruit notes to this West Coast-inspired IPA, along with hints of pine and green pepper. Golden in color and medium bodied, this brew finishes bitter and crisp with a lingering, dank hop presence.
- Moralité : The concept of Morality is perhaps a subjective one, as the history of alcohol in Quebec may demonstrate. This IPA is brewed with a dare-we-say excessive quantity of Simcoe, Citra and Centennial hops. The dry finish is highly aromatic and slightly resinous, invoking tropical fruits atop dominant hop bitterness.
- Dark Persuasion German Chocolate Ale : Delicate dark chocolate with a whisper of coconut... You know you want it, go ahead and indulge. You can finally have German Chocolate Cake and drink it too. There's no need to be nervous, it's just wickedly deep and full of flavor and desire. With its provocative aroma and smooth body, this is certainly the darkest of fifty shades of risqué.
- Red Ale : Our Red Ale is reddish in colour with a nutty character. Balance is nearly even, with low hop flavor.
- Lunar Eclipse Stout : Malt-forward, the rich, dark chocolate tones grab attention at the beginning of this foreign extra stout, with just a hint of roasted coffee. But don’t get too lost in the darkness! As its pitch black phase wanes, a subtle sliver of fruity flavor unveils itself— a touch of light taste from the english yeast strain.
- Dark Element : Previously named "Dark Matter."
- Black Grove : Black Grove is a Dark Saison and is crafted with Pale Malt, Pilsner Malt, Vienna malt, Chocolate Wheat Malt, Flaked Oats, Midnight Wheat, and Carafa Special. We add the zest and juice from fresh limes, grapefruit, and oranges to this black ale, layering notes of citrus sorbet and pulpy fruit on top of coffee and toasted wood undertones. Black Grove is fermented and aged in oak barrels for several months with our wild yeast culture and then bottle conditioned.
- Constant Disappointment : A) Pine, (B) Tropical Fruit, (C) Fresh-Squeezed Juice, (D) All Of The Above.
- Solstice D'été Aux Framboises : German inspired sour wheat beer. The obvious and domineering acidity of this beer is obtained by letting the unboiled wort go sour for several days. The Solstice d’Été is made complete by the addition, during the fermentation process, of a phenomenal quantity of whole fruit (raspberries or mangos or cherries) which compensate for the sourness of the beer. The result is a very refreshing beer where both acidity and fruity flavours dominate wholeheartedly.
- Madonna : Mountains of hops. Tropical and grapefruit aroma and flavor from Citra meld beautifully with lemon-lime and nectar fruit from New Zealand Motueka. Wheat and Pilsner malt keep the body light and refreshing so the hops can express themselves.
- Slurm Lord : Slurm Lord is a double New England style India Pale Ale brewed with oats and a blend of Citra, Azacca, Amarillo, Galazy, and Mosaic hops. We’re excited to say that the brewing of Slurm Lord employs the largest dry hop to date in SBC history! Deep orange in color with a permanent haze and a minimal head, a glass of Slurm Lord resembles a glass of freshly squeezed orange juice. Aromas of dank passion fruit, mango, and pineapple are accompanied by bold flavors of citrus. This medium-bodied India Pale Ale is incredibly juicy from start to finish. A final sip leads into a slight, warming bitterness.
- La Luna Rossa : I think that in the life of every brewer exists a particular moment that makes him proud and satisfied with his work: for me this time comes during the blend of La Luna Rossa. Maybe because it is the beer that it takes more time before leaving the brewery, or maybe for a certain analogy with the trade of enologist, it is always very emotional when myself and Luca (a solid presence at the brewery) find ourselves between sour splashes and leftover pieces of fruit that remind me the “visciole” (morello cherry) my grandfather used to eat while playng cards. It starts with an acidic base that has made at least 2 years of mixed fermentations (conducted mainly by lactic, acetic bacteria and brettanomyces) which have at least 6 months macerated cherries and sour cherries, blend with a small part of chimera and some young beer; the blend is put in numbered bottles indicating the year of the cuvée, which refined further 12 months before selling.
- Old Rasputin Barrel Aged XX : Every year we age a special batch of our much-loved Russian Imperial Stout in Bourbon barrels. The depth, intensity, and complexity of the flavor profile of this special release, like its predecessors, make it a worthy tribute to Old Rasputin.
- Mike McIlyar's Hangover Cure (Andall) : Canadian Breakfast Style Imperial Stout with Bewdly smoked bacon coffee beans, dark Canadian maple syrup, cinnamon, vanilla and Ancho chili.
- Mega Blazing World : 8.5%- “Imperialized” version of Blazing World- This hulking version of our beloved, hoppy amber is a journey into the very soul of dankness, with a monstrous hop profile replete with fruity, resinous magic derived from boatloads of Nelson Sauvin, Simcoe, and Mosaic hops. It’s a dazzlingly delicious beverage that celebrates the very stickiest of the icky while remaining outrageously drinkable. Pour it into your favorite tulip glass and prepare to be astounded.
- The Marquis : Our Belgin-style Tripel is back, having spent some time aging in red wine barrels absorbing rich colors and pleasing tannins, all while retaining its fruity esters and warming alcohol finish.
- Spelt Wrong IPA : Spelt is an ancient grain closely related to wheat. It was once a staple in diets because of it having high amounts of protein, dietary fiber and B vitamins. Since it is similar to wheat it adds better mouthfeel to the beer and gives it some haze. Vic Secret and Motueka hops are Australian hops that have great tropical fruit notes.
- Dragonhosen : Late at night in the dark cellar or among the rows of towering vessels at Boulder Beer, if you listen carefully you can hear the eerie sound of the Dragonhosen. Brewed with generous amounts of Vienna and Munich malts for a rich, full-bodied malty flavor, Dragonhosen begins as a traditional Oktoberfest lager, then stealthily breathes fire with 9% alcohol by volume. Hallertau and Czech Saaz hops add balance with a mild earthy aroma and flavor with moderate bitterness. And if you find yourself at Boulder Beer, listen closely and beware...if you hear a scratching and scraping coming your way, the bite of the Dragonhosen is sure to follow.
- Back Garden Pale Ale : This English inspired ale conjures up images of spending summers hanging out in what the Brits refer to as their “back gardens”. This beer could be considered an English Bitter and maybe even Pale so the name holds true however you categorize it. The English hop character is derived mostly from Target hops to provide a slightly firm bitterness in the middle. The malt profile is biscuity, nutty, cracker like flavor.
- Heelch O'Hops : Brewed with a heelch* of Columbus, Chinook, and Cascade hops, our double IPA has a palate pleasing bitterness that is carefully balanced with a full-bodied malt foundation. With a deep color of polished brass and a nose that sings of pink grapefruit and redwood needles, the rich biscuit-like malt flavors intertwine with hints of vanilla, mangos, and peppercorns leading to a deep, warming finish. (*That’s Boontling for “a whole lot”)
- Flash Golden : Don't let your glory days of beer drinking be destroyed by looming darkness and never ending thirst, Flash Golden is here to fight off the evil entities, and bring you golden tropical sunshine. 
- Passion Fruit Pinner Throwback IPA : Passion Fruit Pinner takes the flavors of passion fruit & citrus juice of the original Pinner Throwback IPA and turns them up to 11. The clean malts, with hints of toasted biscuit pair with zesty hops to spice up the taste and aromas from pureed Passion Fruit and a small spike of pureed Blood Orange.
- Brown Ale : This American Brown Ale is dark in color and rich in chocolate flavor.Roasted Barley and other specialty grains make this mild enough for any beer drinker.
- Cantillon Citoyen Du Monde : This is a very special gift from our friends at Cantillon in cerebration of 20 years of Shelton Brothers. Passionfruit lambic called Citoyen du Monde -- "Citizen of the World," a nod to Casablanca, Dan and Tessa's favorite movie. In the words of Jean Van Roy: "1996 was the year of our debut in the US, and with it, Shelton Brothers was born. 'The American Dream' became a reality for Cantillon as it did for Shelton Brothers. It was the beginning of a beautiful friendship."
- OPP : A complex, full-bodied porter brewed with sweet orange peel and pistachio.
- Allosaurus Amber : Medium bodied, dark copper, malty, slight caramel, well balanced
- Valley Girl : Don’t let the name fool you - Valley Girl packs a punch. Lightly toasty and malty, with some fruity esters and assertive hop bitterness, this ale fits a ton of character into a light, easy-going package.
- Bumby Blonde Ale : Belgian blonde ale, gold in color, slightly sweet with a complex, spicey finish.
- Fantapants : Fantapants is offensively bitter (like most redheads!) but begins slightly sweet, with an aroma of passionfruit and pineapple. The finish is full-bodied with a hint of biscuity malt.
- Belgian DIPA : They say some of the best inventions were created by mistake. That was certainly the case with Hardywood Belgian DIPA. Originally intended as the base beer for Hoplar, our wood aged American-style double IPA, this beer was fermented with the Belgian abbey-style ale yeast we use with Hardywood Singel. The resulting beer offers the assertive hoppy bitterness of Hoplar with the fruity, spicy character of Singel. An accident, yes, but a delicious one, indeed!
- Scratch Beer 67 - 2012 (Brotherly Suds Vol. 3) : This year’s Philly Beer Week Beer, Brotherly Suds Volume 3, was created collectively by brewers from Iron Hill Brewing, Sly Fox Brewing, Stoudt’s Brewing, Tröegs Brewing, Victory Brewing and Yards Brewing, and brewed at Tröegs Brewery in Hershey. Via a flurry of emails, this collective cobbled together a Vienna Red Lager recipe that incorporates rye, American hops, and Kolsch yeast. By combining the spicy rye along with Centennial hops and subtle fruity flavors of the Kolsch yeast, hints of cream sickle shine through as this pungent American hop intertwines with a rich mix of barley. At 5.2% ABV and 40 IBU, Scratch #67 is a testament to team work and impeccable taste! Enjoy!
- Yard Sale Winter Lager : This full-flavored amber lager delivers a complex, toasted malt body and noble hop character.
- Raindrop Pale Ale : Our flagship beer, brewed with Floor-malted premium U.K. Maris Otter pale malt, plus crystal and chocolate malts, to balance an international kettle hop bill of West Coast (Palisade - for bittering / flavor) and New Zealand Nelson Sauvin (flavor / aroma) hops, with an added hopback charge of whole U.K. Kent Golding hops to add a unique late hop finish. A true ‘hybrid’ Premium Pale Ale blending worldwide ingredients and brewing techniques for a nuanced, complex brew. The name was inspired by a New York Observer newspaper article describing Alex Hall as having "a face like a raindrop"!
- Ace Of Simcoe : Single hop awesomeness, shining a spotlight on our favourite ingredient, the not so humble hop. Ace of Simcoe has the ultimate poker face - this session IPA is low in strength but has an ace in the hole - devastating hoppy aroma & flavour. This session IPA has been bombarded with Simcoe. Mango, pine, and grapefruit explode from the glass, firing off from a light, complex toasty malt base. Low voltage, high amplitude hops, in their purest form.
- Owen's Preemie-Um Porter : Named for Flat Branch's general manager's son, Owen Porter, who decided to come into the world early. This is our traditional Baltic Porter, one of our favorite beers. Our version uses four specialty malts to achieve its dark color and rich flavor. Malty sweet and roasted without any burnt flavors. Hopping is low to allow the malt flavors to dominate.
- Grapefruit 'Ting : Tart and Juicy Sour Ale with Grapefruit Juice, Grapefruit Zest and Lactose.
- Peak Organic Nut Brown Ale : Our Nut Brown Ale starts out very smooth, like an English-style Brown Ale. The use of Chocolate Malt, Munich Malt, and Hallartau Hops give this beer a crisp, nutty finish. Peak Nut Brown is a delectable beer loaded with complex, differentiated flavors that don’t overwhelm the palate, making it a perfect dark beer for food pairing.
- Life On Mars : Berliner weisse with cactus pear and passionfruit.
- Propeller Kristall Weizen : Literally "crystal wheat." A Kristall Weizen is a filtered pale Weissbier. It pours "crystal"-clear rather than yeast-hazey. Propeller Kristall Weizen is made with special Weizen yeast, German Noble hops and equal amounts of barley and wheat malts. Like its Hefeweizen counterpart, Kristall Weizen develops a richly-textured, firm, white head in the glass. Very light, spritzy-effervescent and refreshing on the palate, with creamy texture and gentle, lightly fruity character, it finishes with a touch of dryness. Propeller Kristall Weizen pairs well with summer heat and good times... Prost.
- The Barbarian : Notes of papaya, candied orange, grapefruit zest, peach and green pepper.
- P2 : Belgian-inspired Pale with tropical fruit, clove, and resiney aroma. Heady carb and medium body with sweet malt and Belgian candy sugar middle. Finishes dry with an aggressive, yet balanced, hop bitterness.
- Timberline Brown Ale : A high country staple: rich and malty yet crisp and toasty with very light coffee/cocoa notes. This dark brown ale is a perfect fit any Colorado season. Turn that brown upside down!
- Sauternes Saison : We got our hands on a couple of Sauternes barrels, filled them up with our Saison, and let them age for four months. Sauternes is a style of French white wine from the Bordeaux region, and this beer reflects the same complexity expected of French wine. Sauternes Saison is dry, with grape and white oak characteristics from the barrels that enhance the natural fruit and spice notes from our Saison base.
- Brux 55 : An American White IPA made with wild yeast. Flavors of grapefruit and, breadiness and a slight sour finish.
- Kyle : Kyle is a lovable, drinkable American Pale Ale, with a fruity hop presence.
- 3 Floyds / Off Color Tonnere Neige : A complex and thirst-crushing, saison-style ale fermented with 2 yeast strains. This ale is the combined effort of Three Floyds and our friends at Off Color Brewing Co.
- Lone Star Beer : - Lone Star Beer uses the finest hops from the Pacific Northwest with hearty grains from the Central and Northern Plains. Malted barley and corn extract combine to provide Lone Star with nature's finest ingredients for brewing. Lone Star's ingredients give this beer its full natural flavor. The choicest hops lend complexity and aroma to this beer, and its proprietary mashing regimen creates the perfect balance of alcohol, body, and character.
- Rainier Beer : Rainier beer brings together nature’s bounty from the great Northwest. Pure spring waters combine with golden barley and verdant hops to produce a beer rich in taste and texture. Fermented slowly with a pedigree yeast culture under tightly controlled conditions, Rainier comes forth with a satisfying malty flavor over a slightly fruity background, spiced with Chinook, Mt. Hood, and Willamette hop notes.
- Forces Unseen (Blend 3) : Forces Unseen is a blend of various golden sour beers aged in oak barrels. Each batch of Forces Unseen highlights a unique mix of yeast and bacteria, which is often different from the last batch. This blend of Forces Unseen is a blend of 5 golden sours aged in oak barrels. This is the second bottling of Forces Unseen and the third blend created. These blends truly showcase what sour beer is all about. With no added fruits or spices, the forces unseen deserve all the credit for the flavors derived in the 2nd bottled batch of this golden sour beer.
- Strictly Plutonic : A blend of dark English malts, flaked oats and flaked rye, with Warrior hops for bittering and UK East Kent Goldings hops in the whirlpool.
- A Stein’s Throw : This is the third release in our 2012 Provisions Series Local Collaborations Series. We've teamed up with our great friends at TAPS Brewery out of Brea for this beer and we made one of our most complicated beers to date. An amalgamation of a barley wine with a traditional stein beer, this strong, brown ale has an extra level of caramel complexity brought on by our use of granite rocks that were heated to 900º and added to the wort along with a generous addition of date sugar for added gravity. A Stein's Throw is rich with fruity esters and toffee richness, but finishes dry after being fermented with proprietary yeast strains from both The Bruery and TAPS.
- Barrel Aged Shadow Of The Moon : Pours black as night with aromas of sweet chocolate, dark roasted malt, molasses, licorice, dark fruits and a fair amount of booze. The flavors start off with plenty of chocolate slowly giving way to hints of dark fruits, molasses, licorice, day old coffee and dark malt. The back finish is pretty sweet with quite a bit of booze lingering on the palate long after consumption.
- Modern World : Modern World is an experiment on the usage of “spent” fruit. This barrel fermented saison was aged in French oak barrels for 7 months before being transferred into stainless onto 850 pounds of spent blackberries and raspberries.
- Black Watch Double Chocolate Milk Stout : The name pays tribute to Scotland’s historic military regiment known as The Black Watch. With their dark tartan and mission to keep watch over the Highlands, Highland salutes these warriors with a dark mahogany colored brew that pours silky smooth. Black Watch Double Chocolate Milk Stout combines more than 100 pounds of cacao nibs with five malts, roasted barley, and flaked oats to create a rich, high-gravity ale reminiscent of brownie batter and marshmallows with an aromatic nose and a lingering dark chocolate finish. 
- Corvo Negro : An internationally award-winning recipe, Corvo Negro (Black Raven) gushes with aromas of coffee, cocoa, caramel and vanilla, with rich lasting intensity on the palate. Enjoy Corvo Negro from a snifter and the dark, rich, alluring aromas will lift you on black wings...
- Citra Pale Ale : A brew in our Pale Ale Series, this ale is brewed and dry hopped exclusively with Citra hops, a new variety gaining huge popularity among craft brewers. Notably citrusy, but also with complex fruit notes of guava and strawberry, this Pale is delicate and well balanced.
- Tall, Dark, & Mandarin : A sensual imperial stout brewed with love, chocolate and mandarin oranges. This beer had many complex flavor flavors. The chocolate and oranges add icing to the cake of mocha-like malty was...a creamy, cold, yet warning dessert in a glass.
- Speed Merchant White IPA : White IPA with fruity, tropical dry hops. White wheat gives a very pale color.
- Old Tom Barleywine : Traditional brown, English-style Barleywine with intense, complex malt sweetness and a sherry-like quality. Full-bodied with balanced bitterness and a warm finish.
- Zhatfig Ghastly Pale Stout : 8.0 % ABV in this unassuming brew, pale in color makes the first thought of this beer that it will be some sort of IPA or a fruited pale ale like those DH peeps like to pull off. But no!!! Aromas of Roast, Coffee, Chocolate and Vanilla leave way to a full bodied pale ale that finishes dry and somewhat astringent like a stout would drink. Lots of fun to be had with this beer as it should make people think twice about what sort of beer they have in their hand let alone how and the hell did we make a beer look one way and taste another...that's our secret and for the public to try and figure out right...8.0% ABV, 20.2 IBU.
- Amnesia IPA : Named for the beer that was shipped to Her Majesty’s Royal Army in India. This beer was brewed with large amounts of hops, which acted as a natural preservative in transit from the British Isles to India giving it the distinctive bitter taste. Modern Microbreweries now attempt to make IPAs as bitter as possible. Not us. We make the classic India Pale Ale, with an International bitterness rating of around 62. The taste is not overwhelmed with bitterness, but it allows you to enjoy the brilliant subtlety of the complex hops, aromas and flavors of four different hops used to finish our IPA. Oh yeah, we also hand-craft it at 7.2% alcohol by volume.
- Bbbrighttt W/ Galaxy : BBBrighttt w/ Galaxy is a clean and elegant showcase for our favorite southern hemisphere hop - GALAXY! It builds upon the base beer resulting in an amplified flavor profile as a function of additional kettle and dry hopping from the base recipe. It tastes intense and much like fresh squeezed pineapple juice. A light body and fluffy mouthfeel make this beer such a pleasure to drink. We love the Bright series for its individualism as it allows the pure character of the hop to shine, foregoing the hop compound biotransformation that contributes depth, complexity, and originality to our core Tree House IPA's. With this beer you get perhaps the most authentic and intense Galaxy hop candy in our line-up, and what a sweet treat it is!
- Biere De Garde : A classic French farmhouse beer. Amber-colored and brewed with lager yeast at elevated temperatures to bring out malt accents with slight fruit and spice notes.
- Otra Vez : In California, where temperatures often top triple digits, perfecting the warm weather beer is a priority. We happened upon a sweet-tangy blend of native-grown prickly pear cactus and grapefruit combined with the zing of a traditional gose for a vicious but delicious twist on the stodgy summer sippers.
- Smokin' Blonde Ale : Belgian-style Blonde Ale with biscuit-like character and a subtle sweet smoke flavor from the use of smoked malts. The Belgian yeast lends a fruit and spice character.
- Pinball : From the moment Pinball is shot out of the can, this Pale Ale takes your taste buds on a flavorful ride. Bounced between bumpers of tropical and citrus fruit, Pinball perfectly rides the rail between hoppy and sweet.
- Shanty Warmer : An intensely rich Imperial stout with a big, bold flavor! Loaded with a deep malt complexity of molasses, bittersweet chocolate and dark caramel with hints of prune, licorice and raisin. Aged 6 months in Stainless Steel vessels!
- Disco Bloodbath : Black currant dark saison
- Canard Noir : Identical in malt and hops to Black Duck Porter, Canard Noir is roasty at it foundation. The addition of French Saison yeast transforms the beer. While recognizable as the original, the dry and pepper-like spiciness and tropical fruitiness of the Farmhouse yeast turn the beer into something truly special. What started as a variation on an existing beer emerges as something completely new.
- Fall Ball Imperial Harvest Ale : Harmon Harvest is an imperial red/amber brewed with an extra helping of Munich malt to give it a rich, deep amber color and complex malt body. Other malts are melanoidin, dextrin, 15L, 45L and 120L crystal malts and finished off with a small addition of chocolate malt. Hops are centennials, liberty and fuggle. We have also added a touch of pumpkin puree, pumpkin pie spice, and whole cinnamon sticks to round off the finish.
- Willie : With its complex layers of caramel flavor and aroma combined with a deep, reddish brown hue, the Willie Wee Heavy mingles dark fruity notes with a rich malty nose and an underlying hint of the smoked malts to increase the brew's overall complexity.
- Cendre : Cendre might on first appearances seem to be a little confusing. It’s a blend of styles from a variety of countries, with the dark malt character of a British stout, the seductive fruity profile of an American IPA and the drying citrus qualities of a Belgian Saison.
- Hoptilicus : "Brewed with obscene amounts of pale ales malt, plenty of caramel malt, a bit black malt for color's sake, and the finest Lolland sugar. Malt profile is balanced by fruity citral Centennial hops and a little sharp Chinook hops.
- TEN20 Commemorative Ale : "Brewed with pale, Munich and carapils malts and hopped with deranged amounts of Australian hops (Galaxy and Super Pride) and American hops (Simcoe and Sterling), this gorgeous deep copper-coloured ale represents a blend of the imperial pale ale and barley wine styles. Dry hopping with NZ Pacific Hallertau creates the perfect herbaceous nose. The 60 BU's of bitterness is tempered by the 7.9% ABV and the ale delivers a divine satisfaction with massive maltiness and ripe fruit esters."
- Brabble : Using 100% UK ingredients (except the water), this beer is loaded with chocolate and espresso aromas and a hint of dark berries. The black patent, chocolate, and brown malts combine to form a flavor that is like biting into a dark chocolate covered espresso bean. With a smooth, almost cream like texture and clean finish, this beer is a perfect winter session ale.
- King Titus : Our take on an American robust porter. Dark, thick, chewy, chocolaty, and of course, generously hopped.
- White Birch Farmhouse Red : Ardennes is a region of Europe known for it’s natural beauty, rugged mountains, hunting, hiking, cycling, and canoeing. We use yeast from this region to produce a red ale that has a beautiful balance of delicate fruit esters and subtle spicy notes.
- Ring Of Dingle : Named for a road in Ireland, Ring Of Dingle is dark in color, light of body, rich and roasty with a creamy head.
- 35K : Not your typical "Jelly of the Month Club" beer. Dark roasted malt and bittersweet cocoa and coffee flavor and aroma burst from this pitch black milk stout. The full body and sweetness are derived from the addition of lactose (aka milk sugar) which is not fermentable by beer yeast. A healthy dose of English Kent Goldings hops provides a counterpoint to this ale’s rich and complex maltiness.
- Hop*A*Potamus : Hop*A*Potamus is a double dark rye pale ale made with a ton of pale and six kinds of rye malt for a "full" body. This double dark rye pale ale is fiercely hopped with a Northwest blend for a stampede of flavor and aroma.
- Southern Hemisphere : Northeast Style Double IPA. Brewed with loads of Southern Hemisphere hops and flaked oats for a big tropical fruit profile.
- Porcelain Saucer : Porcelain Saucer is our interpretation of a German Kolsch. This 5.4% ale was brewed with German Pilsner and wheat malts and fermented with a traditional yeast for this style. We moderately hopped this beer with Australian Galaxy for a tropical fruit finish.
- Horiatiki : Saison is a classic Belgian beer, extremely fruitful, complicated and refreshing. A beer which you can very pleasantly accompany with seafood or enjoy it “solo”, one warm, sunshiny day…
- Loose Moose Lager : The light companion to our Dark Moose. It's pale gold in color with a distinctive hop and mild malt flavor.
- Murray's Anniversary Ale 5 (2010) : This year’s Anniversary Ale marks the first major change in the base recipe since the inaugural batch. Brewed in collaboration with original head brewer Graeme Mahy to celebrate our 5th year the AA5 is still a wheat and barleywine at heart like the previous batches, and still oak aged, but we made some significant changes this year. This year’s brew is a lot darker with the addition of chocolate malt and roast barley to give the beer a distinctly darker colour and a solid dark grain bite in the flavour. The hop profile has also changed significantly with extra additions throughout the brew and a new blend of Green Bullet, Pacifica, Motueka and NZ Cascade hops used. The result is a beautiful dark ruby hued beer with aggressive hop aroma and flavour and a more assertive bitterness than previous batches. The caramel malt backbone of the beer is made more complex by the coffee notes from the dark grain additions. Classic American oak character comes through in the flavour and aroma further adding to the complexity of the brew.
- Grapefruit Zest NEX IPA: Experiment #5 : We add grapefruit zest to amplify the citrusy hop characters of NEX IPA: Experiment #5.
- Black Gold : A Scottish stout with a wonderful rich dark colour. A smooth full bodied beer with subtle bitterness giving way to late sweetness and underlying roast barley hints.
- Olde Steamboat : Olde Steamboat pays homage to the river paddlers that once ruled the Mighty Mississippi. Designed in England, and born during America's industrial age, steamboats were the workhorse of river commerce in the 18th century. European malts, English yeast and hops marry to craft a rich, complex matliness with notes of caramel, toffee, and dried fruit. By design this beer is drinkable now and over time will develop complex port like flavors. So pop the top or lay it down, either way, enjoy this Olde Steamboat!
- Double D Double IPA : Double D is a full-bodied Imperial India Pale Ale, flaunting sultry guava, mango, and tropical fruit aromas as a result of dry hopping with Citra, Zythos and Crystal hops. Brewed with light toasted malt and Bravo bittering hops, this double delights with smooth warming alcohols and a torrid finish.
- JK&LOL : Dry, tart, and complex blond mixed culture ale aged in bourbon barrels with California peaches.
- Black Mamba : Our Black Mamba is a bold Foreign Export Stout that is dark and roast-forward, with a bite. You will find notes of roasted grain, coffee, dark chocolate, fresh dough, caramel, and mixed nuts. A full body and high bitterness complement the complex malt character we pack into the glass.
- GummyBuddy : A collaboration with Iron & Glass, this Northeast IPA gets its creamy body with the addition of lactose. Belma, Calypso, and Simcoe hops add citrusy, fruity aromas of tangerine, lime and orange.
- Annihilator Double IPA : This big American Double I.P.A. is hopped with Nugget, Centennial, Chinook, and Cascade, and dry-hopped with more Cascade. Very well-balanced for such a hugely complex and flavorful brew. Enjoy with caution! Don't get annihilated!
- Cranberry Rye Gose : This beer is a balancing act of character familiar to and inspired by the holiday season yet unique to itself. Well paired with rich food, it is dry and tart with a hint of fruited sweetness from conditioning on cranberry and background spice from a light hopping with aged German Select.
- Puffing Billy American Brown Ale w/Cacao Nibs : We love Browns. And you should too! Roasty malts and chocolaty flavors – what’s not to love? Ours is finished with cacao nibs to add another nuanced layer of bitterness and chocolate aroma to the already complex interplay of this well-balanced ale.
- Bark At the Moon Dark Brown Ale : An American dark brown ale brewed with a blend of dark chocolate, caramel, and pale ale malts single hopped producing a smooth, easy drinking, subtle ale.
- Oaked Quadfather With Brett : Our strongest Belgian Abbey style beer, with intense sweetness and dark, dried fruit character, aged in a Cabernet barrel for 1 year with wild yeasts. The wild yeasts add a touch of tartness and additional complex fruity and spicy characters.
- Things Got Foggy : Hopped with Citra, Ekuanot, and Cascade. Tropical fruit, melon, citrus and subtly grassy and dank.
- Parzival Pale Ale : Brewed to celebrate the release of the film "Ready Player One," Parzival Pale Ale honors the setting of Columbus, Ohio by utilizing Ohio Pale Ale and Caramel Malt from Haus Malts, and Columbus, one of our favorite hop varieties. We include Mosaic hops to give the beer a complexity of flavor and aroma comparable to the complexity of the game "Anorak's Quest." At a sessionable 5% ABV, Parzival's balanced flavor, and aromas of citrus, blueberry and papaya won't keep you from being at the top of your game.
- Stubborn Jack (Smoked Porter) : Dark chocolate color with toasty notes of fresh brewed espresso. Medium mouth feel with a slightly nutty yet velvety finish.
- Spratwaffler Pale Ale : Spratwaffler - a colloquialism from the North end of Deal in Kent, where Time & Tide founders Sam and Paul grew up. A pale beer with a touch of character malt lending body to compliment the high hop content. The hops used give the beer a pleasant aroma of a tropical fruit salad with a twist of lemon, passionfruit and grapefruit.
- Fist Bump (with Stoup Brewing) : The first rule of Fist Bump is: You do not talk about Fist Bump. Ok, fine. Mutual respect and a shared fervor for delicious beer led to the creation of Fist Bump, a collaboration between Stoup and Cloudburst. Bitter with Warrior followed by generous additions of Simcoe, Mosaic and HBC 522 throughout the boil and in dry hopping create citrusy and tropical fruit aromas and flavors.
- 1687 Brown Ale : Charter Oak's 1687 Brown Ale (this was the year the legend of the Charter Oak took place, and Wadsworth hid the document in the majestic Oak Tree - later to become know as The Charter Oak) is an American style which is slightly more robust than the traditional English Brown Ale. This beer will be brewed to a dark copper shade and be somewhat sweet and malty with distinctive toasted flavors from both our premium specialty roasted and chocolate malted barley, also allowing for a faint undertone of caramel. This style is lightly hopped for balance and this ale will prove to be a wonderful selection for a sessionable beer. Our medium-bodied, limited bitterness and hop aroma will make this an excellent choice.
- Semblance : Semblance is a hoppy farmhouse wheat beer. Amarillo and Azacca hops as whirlpool and dry hop additions contribute a wonderfully complex fruit character which compliments the house yeast culture. It's dry, balanced, and super flavorful.
- Simcoe Farmhouse : A single hopped Farmhouse ale brewed with our house saison strain. Complex with notes of herbs and lemon zest.
- BB R&D: Golden Ale : Fruity and friendly golden ale with a soft, crisp finish. Limited experimental release.
- Liberation Propagation : Liberation Propagation is the imperial version of Libation Propaganda. While still showcasing Captain Bill's Bold Blend Coffee from Ashlawn Farm Coffee, this robust beer exhibits a silky, smooth texture layered with dark chocolate notes from organic cacao nibs. She's a sipper, a full-bodied, balanced blend of bold flavors, and she promises to keep you warm through the holidays.
- Pollux Imperial IPA : This Imperial IPA is named after one of the twin stars known as Pollux in the constellation Gemini. For our Pollux Imperial India Pale Ale, Amarillo, Azacca, MOsaic, Simcoe, Calypson and Columbus hops were used. They give Pollux a tropical hop flavor and aroma with hints of orange and grapefruit.
- Agrestic # 16 - American Oak Aged : In the now famous SNL skit, “(Don’t Fear) The Reaper”, Producer, “The Bruce Dickinson”, demands more cow bell from his band, Blue Oyster Cult. Here at the Barrelworks, we asked for more American Oak. Agrestic 16 is 100% single barrel American Oak-aged Agrestic. As in our other Agrestic Ale, a blend of American and French Oak, this is a rustic red ale, that is fermented in the Firestone Union, then aged and inoculated with B. Lambicus and lactobacillus in an American Oak barrel for 14 months. It is here where it develops its earthy funk, quenching acidity and complex flavor. Only the best barrels are singled out to be served “as is”. Barrel #16 lends more traditional American oak character—soft vanilla and coconut—than our blend. The Acidity is softer, and the finish dryer. The experience, nonpareil.
- Nocturnality : Nocturnality is a dark farmhouse ale that was spontaneously-inoculated overnight in our coolship. It was then fermented and aged in bourbon barrels for 14 months with a mixed culture from our friends at Side Project Brewing of St. Louis, Missouri.
- Old Ale : A one-of-a-kind, serendipitous, blended brew we probably couldn’t make again if we tried. One-year bourbon-barrel aged Irish Stout (with brett character) meets fresh schwarzbier, blended with a few stray barrels of aged English Porter. The result is crazy… complex with leather and tobacco notes, fresh roastiness, brett, and that slight twang you get from extended aging with wild yeast. Damn.
- Alaskan Smoked Porter : The dark, robust body and pronounced smoky flavor of this limited edition beer make it an adventuresome taste experience. Alaskan Smoked Porter is produced in limited "vintages" each year on November 1 and unlike most beers, may be aged in the bottle much like fine wine.
- BruRm AmBAR Ale : This beer is a celebration of malt. The aroma leads off with an appealing fruitiness, produced by our house yeast, which gives way to a rich caramel aroma which, in turn, is followed by the herbal character of our finishing hops. Predominately malty – from the initial nutty flavor through the rich caramel sweetness – it has a light finish that leaves your palate clean and ready for more.
- BruRm Damn Good Stout : You'd better believe it. We use seven different malts to create an incredible sensation of aroma and flavor. The special roasted barleys we use give this brew its smokey espresso scent. And the first sip reveals a rich sweet character which ends in a coffee/cocoa finish. Our special, natural carbonation process creates the dense head, tiny bubbles, and creamy character of this dark beauty. Perfect to sit with and contemplate. After a large pie, don't say Decaf Espresso, say Damn Good Stout.
- Apricot Wheat : Our smooth wheat beer is light in color and body…perfect for those looking for a lighter taste. The combination of wheat and barley gives Apricot Wheat a different malt character than our other ales. The hint of apricot gives this beer a pleasant nose and fruity finish.
- Schell's Schmaltz's Alt : One of Warren's favorite pastimes back in the 30's was a trip to the city dump to shoot rats–so much that it was a common date for him and his wife-to-be, Casey. The manager of the city dump was John Schmaltz–hence the nickname "Schmaltz" Marti. We hope you enjoy our Schmaltz's Alt, a creamy smooth dark alt brewed even better than before.
- Folding Ships : This gloriously hazy 7.5% marvel was brought to delicious fruition via the liberal application of Mosaic, Calypso, Centennial, Denali, & Simcoe hops, yielding a profile that's complex, refreshing, and deeply fruity.
- Pacific Rim : Golden-colored India Pale Ale with a complex hop aroma of citrus and tropical fruits. Brewed with hops from the Pacific Northwest, New Zealand, and Japan.
- Michelob Ultra Amber : Brewed using the finest two-row and dark-roasted specialty malts for color, and a blend of imported and premium United States-grown noble aroma hops for balance and flavor.
- Cloud Chaser Hefeweizen : Brewed and cellared just how they would in the mother country, this German wheat beer has voluminous fruit and spice characters to be experienced in smell and taste.
- Put It On The Poll : Brewed for Billy from The Dan Lebatard Shows Shipping Container crew, this Berliner Weisse style ale was infused with over 600 pounds of fresh guava and passion fruit.
- Cognac Cask-Aged Dark Saison Ale : This Barrel Room Series beer, available exclusively in the Kansas City Barrel-Aged Great Eight sample pack, features aromas of nutmeg, leather and earthy menthol that meld with sweet caramel notes, dark fruit and vanilla. Spicy cardamom and sweet orange peel accent floral notes provided by Hallertau Blanc hops.
- Thurman Merman Blonde Ale : A sweet, full-bodied Blonde Ale festively brewed with a touch of Honey Malt and fruity Hüll Melon + Nelson Sauvin hops. Pairs well with sandwiches. 
- Attenuator Doppelbock : Dark, strong and malty. Brewed with our house ale yeast, this beer is a delight, sometimes served on nitrogen.
- Milly's Lil' Ivan's Foreign Extra Stout : Brewed in the style of a tropical stout, Lil' Ivan is a dark, moderately strong roasty ale. Originally brewed for tropical markets, it is sweeter than a dry stout, and has a complex aroma of roasted grains and dried fruits. While medium-full bodied, Lil' Ivan is not excessively high in alcohol allowing for the enjoyment of multiple glasses.
- Imperial Reserve : Imperial Reserve should be saved and shared. Brewed only once per year, our Imperial Stout is characterized by a dominatingly rich malt profile full of coffee, chocolate, and dark fruit qualities. Naturally carbonated, it will age gracefully when cellared.
- Monserrate Roja : It is our red beer, British recipe, fruity and full-bodied, hoppy and rich aroma. 2 weeks of maturation. 5% alcohol.
- Three Bears Oatmeal Stout : Brewed with dark roasted malt , Centennial hops and Republica Roasters coffee , this jet black oatmeal stout features notes of chocolate and espresso. Big , bold and surprisingly smooth , this cask has added vanilla , cocoa and cinnamon.
- Schattenbiest : German for "Shadow Beast", this dark lager comes with roasty notes and a crisp lager finish.
- Rodeo Wild : "Rodeo Wild" is the 1st in our 3-part series of Saisons. Kettle-soured with lactobacillus and fermented with a mixed culture of Saison Yeast & Brettanomyces, "Rodeo Wild" has a pleasantly mild tartness, that complements it's flavor notes of lemon zest & bubblegum. A beautiful aroma of citrus fruits, the light-body of "Rodeo Wild" makes it enormously refreshing & immensely drinkable.
- Barrel-Aged Citrus Squeeze : Housed for more than a year in oak, BA Citrus Squeeze is a beautiful sun-gold sour aged on a rotating blend of citrus fruits.
- Laughing Panda : Laughing Panda takes his beer with green tea. This brilliant golden IPA has a fruity tropical aroma and a pleasant astringency from the genmaicha green tea. All finished with a light malt backbone with a small touch of hilarity on the tongue.
- International-Style Juice : A one-off collaboration between Reuben's and our friends at Alvarado Street. This big, juicy, fruity IPA comes in at 6% ABV and 50 IBUs. Lots of Mosaic and a little Amarillo give notes of passion fruit, mango, a little orange and citrus.
- Muskoka Dark Ale : You won't find an English-style brown ale quite like Muskoka Dark. Its bold colour, yet remarkably easy-going taste gives it a personality as unique as the region it's from. Subtle undertones characteristic of its Dark Munich malt ease into hints of chocolate and caramel, making this gold-medal winning ale as inviting as it is distinct. Thirsty yet?
- Double IPA : For many brewers and craft beer drinkers, the hop is arguably beers most revered and recognizable ingredient. Hop forward beers remain the king of styles often serving as a breweries flagship. We created this Double IPA to showcase the diverse range of flavors and aromas different hop varieties can impart. Five different hops in seven additions during the brew give this beer all the characteristics a hop head seeks. Citrus and tropical fruit notes, pepper and spice, all the way to pungent resinous pine, Elevation Double IPA pays homage to this ingredient and the culture it created.
- Milk of the Gods (Mangos and Apricots) : The Milk of the Gods series focuses on combining a perfect combination of hop flavor and pairing it with loads of fruit. Top the whole thing off with lactose and a kiss of vanilla beans, and you have a milkshake that will bring them all.
- Nina’s Belgian Abbey Quadrupel : Nina Van Zandt Spies fell in love with August while he was in prison during the Haymarket Trial. She helped write his biography and was a familiar figure at IWW meetings, May Day commemorations AND at Chicago’s Hobo College. This big Belgian Abbey ale, utilizing yeast from Trappiste Rochefort, is brewed with dark candi syrup, orange peel and coriander, and has notes of plum, cinnamon, cherry and orange.
- Fall In Lager : Fall in Lager is a reincarnation of our Hope Lager as a Vienna Lager with Citra hops. Fruity notes of peaches, oranges, and grapefruit come together with sweet malty notes of caramel and toffee in our fall seasonal offering.
- Citra-Zaic : This West-Coast style double I.P.A. is brewed and dry-hopped entirely with the legendary "Citra" and "Mosaic" hop varieties, which feature huge citrus and tropical fruit flavors.
- Vision Is Lost Without Eyes To See It Through : Blend of imperial stouts brewed with walnuts, and aged in bourbon barrels. This special blend consists of Dark Apparition, Oil Of Aphrodite, and Appervation barrels, set aside to age longer than our standard 10-14 months. These barrels range in age from 18-24 months, and the extra time created one of the most pleasant and decadent blends we have ever assembled.
- Tourist Trappe Belgian-Style Tripel Ale : This tripel is brewed with blond malts and a touch of candy sugar. It’s fermented with Belgian Abby yeast strain that imparts fruity and spicy yet soft, well rounded esters. This low hopped brew is easy on the palate, but deceptively strong.
- George : Tart and fruity mixed culture ale aged in French oak barrels with California grown yellow peaches. We selected this tart beer with peaches to honor grandpa George because he and grandma Sylvia used to make traditional Czech peach dumplings together every summer in the peak of peach season. This is the sour peach beer that we all know and love. It's crisp, dry with a load of stone fruit flavor and aroma.
- Hamptonweisse : Our interpretation of a traditional Berlinerweisse, with an additional fruiting of Apricot and Kiwi. This bright summer beer is very effervescent and tart.
- Trainwreck Barrel Aged Barley Wine : This locomotive of flavour was born in 2010 and is brewed closer to an English Barley Wine style–a bit sweeter and darker than the American variant. In 2012 we decided to stoke the boiler a little bit and barrel-aged Trainwreck in select bourbon barrels still wet from the distillery. The toasted caramel and vanilla overtones meshed so well that we had to send it around the track again, but this year’s Trainwreck is aged with younger oak this time. In order to experience the full complexity of this beer, it’s best to allow Trainwreck to warm up a little bit to cellar temperature (4C). Also, at 10% chugging is not advised on this train.
- Hofbräu Dunkel : Dark specialties were being made in Bavaria long before the advent of pale specialties. Over the years, Hofbrau Dunkel lost nothing of its popularity. With the rich flavour, it remains a refreshing beverage, suitable for all occasions. A traditional Munich deliciousness.
- Avanc : Light, refreshing blonde ale with a hint of tropical and citrus fruits. Dry hopped with Idaho 7 and Falconers Flight.
- Son Of Toucan Sam : This is a farmhouse we brewed in collaboration with Executive Chef Rodney Staton last winter. We made an all munich grist and boiled it for 4 hours in the traditional style of bock beer. We then added Rodney's "fruity loops" spice blend to offer a citrus and earth nose. Fermented on Tim, our house yeast strain, we then put this beer into cabernet barrels for 9 months. The result is an exceptional and clean farmhouse that sets alongside red meat like Starsky sat next to Hutch. Pro tip: we conditioned this on Brettanoymyces Bruxellensis so, while the beer is great now, if you hold it at cellaring temps for another 3 or 4 months this beer is going to enter a stratosphere all it's own.
- Illusion Of Time : Golden ale soured in barrel with passion fruit added.
- Big Rooster Farmhouse Ale : Farmhouse Saizon style of beer was nearly extinct before being resurrected by American craft breweries in recent years. The Farmhouse style originated in France hundreds of years ago where it was brewed on farms during the harvest season. This is a very complex style, and the Lena Farmhouse is slightly sour with tartness and yeast tones, medium bitterness, and semi-dry.
- Tropical Moon : Our Moon Over Moore Lake wheat ale, blended with tangerine, guava and soursop (a tropical fruit with an aroma similar to pineapple having a flavor with hints of strawberries, apple and sour citrus). Refreshing!
- County Dark Ale : Wellington’s most decorated beer is a dark traditional ale with a rich bouquet, matured slowly to deliver exceptional smoothness and balance.
- Labatt Canadian Ale / Labatt 50 : John and Hugh Labatt, grandsons of founder John K. Labatt, launched Labatt 50 in 1950 to commemorate 50 years of partnership. The first light-tasting ale introduced in Canada, Labatt 50 was Canada's best-selling beer until 1979 when, with the increasing popularity of lagers, it was surpassed by Labatt Blue. Labatt 50 is fermented using a special ale yeast, in use at Labatt since 1933. Specially-selected North American hops and a good balance of dryness, complemented by a fruity taste, provide Labatt 50 with all the distinguishing features of a true ale.
- La Chouffe : The gnomes of Fairyland are particularly fond of this golden beer. LA CHOUFFE, with its slight hoppy taste, combining notes of fresh coriander and fruity tones, is the drink which gives them their zest for life. At least, that's what these imps say when they are thirsty. Their secret used to be jealously guarded from one generation to the next until the day they shared the recipe with humans to seal their friendship. Of all the legends from the wonderful region of the Belgian Ardennes, the tale of LA CHOUFFE is the one which most merits re-telling.
- Copper John Scotch Ale : This is a Scottish ale like no other. The brewers use the finest smoked malt for flavor complexity and then combine it with roasted barley, and caramel malts for a rich distinctive and smoky flavor. These ingredients give it a deep, dark color with a smooth, rich finish that is surprisingly drinkable.
- American Muscle : American Muscle – 666 Horsepower Double Pale Ale is massive hop bomb brewed for America by Americans in America. Aggressively late kettle and dry hopped with four quintessential varietals of American hops; this beer is built like houses used to be. A strong malt backbone balances a rich, pungent palate of citrus fruit with floral and earthy notes. No adjuncts or extracts of any type were used in this beer.
- Porter Rico Coconut Porter : Take a trip to the lost island of Porter Rico, where the cacao and coconut live in harmony and frolic the sandy shores. Our island getaway takes the form of a dark, chocolatey beer, with a balancing sweetness, medium body, and lingering mouthfeel. Intense toasted coconut rides the trade winds for a truly exotic, yet comfortingly familiar pint.
- Keating Collaboration Stout : We use fair trade cold-pressed espresso and cocoa nibs in this rich and smooth export-style stout. The espresso flavours combined with the rich chocolate are intertwined in this beer, but do not overpower your palate. This is a medium-full bodied beer and as dark as a Keating winter night.
- Take Five : Here at CMBC we love our hops. Big 8-9% double IPAs, loaded with hops, super aromatic and bone dry and crisp and ultra refreshing, we could pound those back all day. Except we can't, because that'll get you a little too tuned up, and lets be honest, hang overs went out with our mid twenties. But, what if we could have those warm and fuzzy feelings about a super hoppy double IPA, but coming in at 4% instead of 8%? That would be a little too good to be true, but we'll Take Five, hold off for a bit and enjoy some beers. We loaded this session IPA with citrus and fruit forward hops, kept the body strong enough to stand up to the barrage of hops, and dry hopped the heck out of it to make a session IPA we feel is worth stepping back and taking five.
- Cher Ami : Brewed in the style of a Belgian-style Single this light, fruity, and slightly spicy golden ale is best enjoyed in the company of good friends.
- Lower Bankhead Black Pilsner : Retrieving coal from the depths of the earth requires a dark soul like the one this pilsner possesses. Roasted malts add character, flavor and color to this classic German style Swartz beer. Dust off the head lamp to get to the bottom.
- Steep 'N Deep Winter Ale : No berries, bark or pine cones in this winter warmer, Steep 'N Deep is the perfect way to loosen the spirits. This potent ale is rich, robust and full of complex flavors created specifically to bring warmth and cheer to the winter season. Moderately hopped and brewed with lots of crystal and caramel malts to give it just a hint of sweetness...it has been known to liven up nearly any social event.
- P.S. I Love Moo : A milk stout with strong bitter dark chocolate and light coffee flavors. The subtle sweetness comes from from added lactose. Enjoy this dark and delicious beer with a creamy texture that is incredibly easy to drink.
- Notting Hill Stout : Since we heard that doctor's used to advise recovering athletes to drink Stout, we just had to develop our own remedy recipe! Our newest beer idea is based on Stout's history of being a 'strong' beer. To reflect this, the oatmeal Stout's taste itself is dark and velvety with a defined roasted flavour.
- Anodyne : Anodyne is a 6.0% IPA featuring Citra, Simcoe, and Amarillo hops. A large dose of malted wheat provides a smooth, creamy body. The beer is still very young but our tasting notes include grapefruit, peach, and tangerine with a long citrusy, slightly grassy finish.
- True North Blonde Lager : An ultra-premium, all-malt authentic Lager beer at 5% alc./vol. Light gold colour with light grain aromas and a delicate floral and citrus hop nose. A balanced fresh malt flavour and moderate hop bitterness are rounded by deep cold aging. A versatile beer with many foods, but particularly well matched with chicken soups, lobster bisque, vinaigrette salads, chicken dishes, whitefish, shellfish, cream pastas, fruit pies, and light creamy cheeses.
- Scratch Beer 229 - 2016 (Double IPA) : Our latest Double IPA experiment gracefully boasts grapefruit rind, pineapple, and honeysuckle notes with a hint of earthy forest floor.
- West Coast IPA : As craft beer pioneers, we embarked on an expedition to brew the benchmark West Coast IPA. We ventured into the unknown and struck gold, discovering a tantalizing menagerie of hops. Simcoe for tropical and grapefruit zest, Columbus for hop pungency, Centennial for pine notes, Citra for citrus zest and Cascade for floral aroma are layered throughout the brewing process. West Coast IPA® exemplifies the Green Flash spirit of adventure and discovery.
- Hazy Glue : American Pale Ale is a style we hold close to heart, it's the style that introduced us to craft beer and shaped, in our formidable youths, just what hops can provide beyond the bitterness. Hazy Glue Pale Ale is the antithesis to the classics that we love, breaking from tradition and celebrating our foundation of never filtering and never cutting costs. Sprinting in the opposite direction from what we were raised on, we brewed a Pale Ale with a bitterness low enough to make it insecure in a locker-room full of Lagers. Using more Mosaic and Melon hops than makes sense, Hazy Glue permeates nostrils in its entire vicinity with scents of honeydew melon, cantaloupe, lemon hard candies, and grapefruit. A bunch of flaked rye gives the beer a slickness that other grains just can't provide, blending with oils from the hops and sticking to your tongue in an unabashed display of modern hop gluttony. We are lovers of all things Pale Ale, but we would be lying if we said Hazy Glue was designed to be anything other than our personal favorite.
- Island Time : Shipyard Island Time is an easy drinking session IPA built with a variety of Northwest hops which contribute to the grapefruit and pine nose and spicy hop finish. This refreshing IPA will transport you to your Island Time no matter where you are.
- Nutty Brewnette : Nutty Brewnette is an American-style brown ale. A blend of four different dark malts contributes to a flavor profile that is sweet with “nutty” notes. A healthy dose of hops makes this beer hoppier and more balanced than most English brown ales.
- One Thousand Eight Hundred Twenty-Five : For our Fifth Anniversary we brewed a Belgian-style quadrupel and racked it into rye barrels where it sat for a year, then blended in the barrel aged versions of our previous anniversary ales. 1,825 marries the complexities of its individual components and the intricacies of barrel aging with the dark fruit notes of a traditional Belgian-style quadrupel.
- St. Mark's Dubbel : Our Dubbel exhibits many of the complexities that have made this style of beer highly sought after over the centuries. It is dark red in color, hinging on mahogany, with loads of sweet, caramel esters that fill the nose. Hops are necessary only for the purpose of creating balance, but in no way do they compete with the rainbow of aromas. The aromas are a byproduct of fermentation, and our proprietary Belgian yeast strain produces similarities to many of the Belgian classic Dubbels.
- Phantasmas Tequila Barrel-Aged IPA : This unique golden India Pale Ale is brewed with jalapeño and serrano chili peppers and then aged in tequila barrels for six months. The beer is chock full of New Zealand hops, which are known for their sweet fruit flavors and aromas, so the final product is hoppy without being too bitter. The hop characteristics also balance out the spiciness of the chilis and the barrels impart hints of smoke and wood. Phantasmas is hoppy, spicy and has a smooth tequila-like finish. ¡Salud!
- Rise Of The Angels : Helping to resurrect your palette from the doldrums, Rise of the Angels bursts onto your tongue with a blast of grapefruit zest that is quickly followed by a parade of floral, citrus hops.
- Unholy Vanilla : Same base as the Unholy, but with vanilla added. Brewed with a profane amount of flaked oats and barley, the malty and nutty body is matched to a heady blend of chocolate, vanilla, and other aromas. Unholy offers sinfully wicked flavors of sweet chocolate, coffee and caramel derived in part from the use of lactose sugar. Drink this untamed beer with restraint.
- Asahi Black (Kuronama) : "a premium dark ale."
- Clutch : Clutch pours a hazy straw colour and is topped with a creamy white head. A large dose of flaked oats provides a luscious and soft mouthfeel. Hopped generously with Centennial, Citra, Amarillo, and Mandarina Bavaria, Clutch bursts with flavours of orange peel, grapefruit, peaches and pine. A load of dry-hops are used at the end of fermentation for lush aromas of fresh tropical fruit, pine, and citrus. Soft and aggressive at the same time, Clutch is right where you want it.
- Grin & Tonic : Put on your most mischievous smile and dive into this unique cocktail-inspired beer. Grin and Tonic is a straw-colored ale brewed with generous amounts of juniper berries, lemongrass and a touch of cinchona bark. Much like its refreshing cocktail counterpart, this beer has strong aromas of pine and resin, and finishes with a crisp, slightly fruity, herbal flavor.
- Saison Durian : The Durian Fruit, native to Southeast Asia, is as a culinary subject as divisive as any beer style we can think of. Who can resist trying a beer brewed with the one food the host of ""Bizarre Foods"" couldn't choke down, yet was described by naturalist and explorer Alfred Wallace as akin to ""a rich custard highly flavored with almonds?"" The fruit is incorporated into a very traditional Saison recipe, fermented to dryness with Brettanomyces.
- Fruit Fly- Passion Fruit Citra Sour Ale : A new spin on the classic tart Berliner weisse. Fruit Fly is a kettle-soured, quaffable ale brewed with tropical passionfruit and fruity Citra hops.
- Saison Renaud : Saison Renaud exemplifies a modern take on the traditional farmhouse ale. Made with just pilsner malt and Saaz hops, this recipe is made to truly let the assertiveness of our house yeast shine. Presenting a clean and crisp body, the spicy and fruity esters of the yeast prevail over a slight earthy bitterness from the Saaz.
- Black Anchor Porter : A classic London Porter, this rich dark ale has its roots in the early brewing history of England. This full bodied, medium hopped beer is a great partner for the heavy game pies and meats.
- King Of Hop Imperial IPA : King of Hop Imperial India Pale Ale is brewed with heaps of American hops from the Pacific Northwest. This medium-bodied beer is dry-hopped to achieve an invigoratingly fresh aroma, which highlights the powerful citrus characteristics of the hops. Flavor notes of orange peel, passion fruit, grapefruit, and gooseberry lend balance to the bracingly herbal bite.
- Rue Sans : The exploration of wine and beer is one of our favorite frontiers. And with this release, we don’t just blur the lines between the two. We break the boundaries. Rue Sans is a rustic, woody fusion of our sour rye ale with Roussanne grapes. Known for rich, complex notes of apricot and honeysuckle, our friends and collaborators at Sans Liege Wines destemmed Roussanne grapes from Santa Barbara Highlands Vineyard for this rare release. Over the course of four days, the grapes soaked on skins, with ongoing pump overs to submerge them. We then transported the juice to Bruery Terreux and blended it with select barrels of Sour in the Rye, tucking the creation into American Oak barrels to let nature take its course. After nearly a year, the beer emerged with characteristics of both Roussanne wine and something new entirely to the world of sour beer. Like the wine, it shares a commanding palate presence, bold orange color, spice notes and dynamic, robust flavors at every turn. Unlike the wine, it’s a beer.
- HopPun : You can play boundary-pushing flavor games all you like but you should never turn your back on fundamentals. HopPun is born of playing with the most straightforward of beers- the hoppy American Pale. We push around experimental hops 06300 and HBC342 with Super Galena and Mosaic, soften the edges with a traditional pale malt bill and then tie it all together with the fruity esters of British yeast. Look for the tutti-frutti/berry side of modern hop aromatics in a pleasant drinking straightforward Pale. Drink HopPun and keep the chops sharp.
- Downhill Dunkelweizen : A dark, german filtered wheat ale, with strong and unique yeast flavors of vanilla and clove. Little to no hop flavor or aroma with low bitterness.
- Blackbird Stout : Bronze medal winner at the 2006 World Beer Cup in the Oatmeal Stout Category. A malt oriented stout with lots of dark malt characteristics.
- Mango Wheat : We are excited to present our refreshingly unique craft-brew, Anchor’s Mango Wheat™; an ale made with sunripened mangoes. Mangoes (Mangifera indica) are native to southern Asia, but Californians have enjoyed fresh mangoes since the 1850s. In 1857, Wide West reported that the mango “is at once the richest and most delicate of all fruits, and all other fruits are comparatively insipid beside its intensity of taste. There is something in it which is nothing less than voluptuous.” Anchor’s Mango Wheat is a crisply refreshing, effervescent, golden ale that highlights the delectable character of this singular fruit: Brightness without sharpness, fullness of flavor without heaviness, tropical aroma without pungency, and complexity without cacophony.
- Guava Grove : One of Tampa's nicknames in addition to the Cigar City is the Big Guava. It earned the moniker from local newspaper columnist Steve Otto in the 1970's. The nickname eventually gave rise to one of Ybor City's most popular annual events, Guavaween. We brew Guava Grove in tribute to Tampa's fruity nickname. Guava Grove is brewed with a French strain of Saison yeast and sees a secondary fermentation on pink guava puree. Slightly tart with a dry finish this is a refined beer that is perfect for sharing.
- 5 O'clock Shadow Double Black Lager : 5 O’Clock Shadow Double Black Lager is brewed in the German Schwarzbier (black beer) tradition. Schwarzbier is to lager what stout or porter is to ale. Like those dark British beers, Schwarzbier has long been considered nourishing and even curative. German doctors often recommend Schwarzbier for nursing mothers. Our Brewmaster, born in Munich, was the beneficiary of just such advice.
- Rescousse : Rescousse is an Altbier that celebrates life in all its diversity. The forward malt invokes dark toasted bread, accompanied by a hoppy finish that dances on the tongue with nutty exuberance.
- Lost Satyr : The sweet fruitiness and hint of spice from the saison mingle with the tartness of the blackberry to create a unique and wonderful blend of flavors. No expense was spared with this celebration of blackberries.
- You People (DDH) : Green Mango, Pineapple, Silky Smooth, White Grapefruit Peel, Dry. Hopped w Simcoe & Simcoe Powder.
- Belgian Strong Dark : Belgians say, “Op uw gezondheid’” when toasting, but you don’t have to speak Flemish to appreciate the bold, complex flavors of fig dipped in dark chocolate, ripe fruit and toffee in this immense Ale. Op uw gezondheid!
- Rapture : 6.7% American Wild Red Ale that has undergone 100% of its fermentation and 18 months of aging in pinot noir wine barrels on a collection of micro flora that has created wonderful flavors of berry fruits, oak and a pronounced, yet quite pleasant tartness. The acidity is rounded out with a muted vinous quality, satisfying maltiness and effervescent mouthfeel that is sure to bring you joyful ecstasy.
- Jutsu 2.0 : In life, Jutsu is all about stealthy ninja techniques (well actually techniques, skills, methods, tricks, or spells according to Wikipedia) but in beer it’s a fantastically balanced pale ale brewed with Simcoe, Centennial, Cascade and Amarillo hops. A clean malt character provides the perfect base for the fruity, juicy hops to take centre stage. Easy drinking with low bitterness. Meet version 2.0!
- Babirusa : The aroma is INTENSELY fruity with the yeasty esters, hint of brett, and dry hop working together to create a vivid peach, ripe mango, and apricot bouquet. The body is light, crisp, and exceptionally dry. The Babirusa was aged in 6 different neutral wooden barrels.
- Mervyn's 24 Hour Sale! : Imperial Cascadian Dark Ale aged in bourbon.
- Hi-Pitch Mosaic India Pale Ale : A balanced Western North Carolina IPA with bright citrus and tropical fruit aromas. Expect big grapefruit, tangerine and subtle melon flavors from the chorus of Mosaic & Centennial hops to balance out the malt in this dank & drinkable ale.
- Cuvee Ange : Cuvee Ange was inspired by the French Oak wine barrels we used for this project that once housed all French wine varietals. Fermented with wild yeast and aged in a combination of Cabernet, Merlot, and Grenache barrels with raspberries and blackberries, Cuvee Ange is a fruity, tart, complex ale. Cuvee Ange pours a bright rose with aromas of fruit, funk, and wood.
- The Warden : Dark as a locked cell at midnight, yet delightfully smooth. This rich stout is full bodied with roasted barley and chocolaty overtones, finishing with a slight sweetness that is your key to freedom and satisfaction. While the historic prison of Stillwater’s past is all but memory and lore, The Warden lives on to honor the rich colorful past and open new gates of handcrafted quality for you.
- Pegasus IPA : A prominent to intense hop aroma with a citrusy, floral and/or fruity character derived from American hops. Color ranges from medium gold to medium reddish copper. Medium-high to very high hop bitterness, although the malt backbone will support the strong hop character and provide the best balance. A decidedly hoppy and bitter, moderately strong india pale ale.
- Hot Toddy : A full-bodied copper colored strong ale. Inspired by the classic winter drink of the same name, this beer is fermented with honey, cinnamon and lemons, and aged on whiskey barrel staves. Warm oak aroma and flavor is prevalent, while the taste finishes with subtle honey sweetness. Very light fruity hop bitterness provides a perfect balance.
- Sour Wench Blackberry Ale : Our Sour Wench Blackberry Ale is a fruity Berliner Weisse-style beer bursting with Oregon blackberry flavor and aroma. The fruit addition adds a beautiful violet hue, and the taste has an approachable soft tartness from kettle souring. This artful gypsy will surely lure you into the world of sour beers.
- Chocolate Covered Black Angel : Sour Dark Ale with Cherries and Chocolate
- 100 Barrel Series #06 - Scotch Style Ale : Scotland is known for its wonderfully malty beers. This beer is in the Wee Heavy tradition with a firm body, creamy head and dark tawny color. It has a rich malty, caramel, toasted flavor, a slight alcoholic warming with a clean well balanced hop bitterness.
- On Tuesdays We Brunch : It’s important to start your day off right, and there’s no day more important than Tuesday in our book. So let’s brunch! We’ve prepared quite the hearty spread for you, featuring our bourbon barrel-aged imperial stout with freshly roasted coffee, swirls of cinnamon, nutty almonds and drizzles of sweet maple flavor
- 5th Anniversary : Our 5th Anniversary beer is a dark and decadent imperial stout fermented with raspberries and finished on cocoa nibs and a touch of vanilla.
- Step Right Up!! Admit One : Come on, come all!!! Treat your senses to a festival of flavors... Everyone is a winner!! This Double IPA is brewed with a small amount of oats for a rich, creamy body. Heavily dry hopped with Mandarina, Azacca, and Centennial for a well-rounded hop character with flavors of citrus, tropical fruits, spicey/floral, and earthy pine.
- Secale Cereale Pale Ale : Secale Cereale [rye] Pale Ale has a subtle rye taste balanced by a mild hop presence with a slight floral and grapefruit aroma. This beer is best enjoyed on a hot day when you want something with some flavour without a high ABV or heavy hop punch.
- 1821 Dark : A dark lager with roasted chocolate and coffee notes. Part of the 1821 series which includes a super special, super secret ingredient from NDBC owners’ family village in Greece. You can guess what it is, but we’ll never tell…
- Strawberry MilkStache : MilkStache is our series of milkshake-inspired IPAs, made popular by PA brewery Tired Hands and Strawberry MilkStache is our first fruited variant. We added copious amounts of Strawberry Purée and Lactose to the kettle, then a large dry hop of El Dorado. The final result evokes strawberry-banana milkshakes: creamy, fruit forward, and lightly sweet.
- Beret : Beret is as artistic as those who wear its namesake cap. Our brewers developed a silky, full-bodied wheat ale which we began fermenting with our house yeast strain. To finish the fermentation, we added our collection of barnyard bacteria, intended to slowly sour the ale, bringing out a slight funk and refreshing piquancy. Finally, a small dose of pureed raspberries were added for just a hint of fruity tannins, putting the berry in Beret.
- Bipolar Vortex : Is it a hoppy tripel? A Belgian IPA? Labels are difficult to navigate, and defining this beer may prove just as difficult. Brewed with a traditional Belgian yeast, an abundance of bold American hops, ample malted wheat, and a bit of orange peel for good measure. Juicy bubblegum and mild spicy notes from the yeast, and fruit-forward hops dominate the nose. Melon, resinous pine, and sweet citrus notes from the hops follow the assertive bitterness that lingers throughout the dry finish. 
- Eureka W/ Citra & Guava : This rendition of Eureka features fresh Guava giving it a juicy and rich tropical fruit flavor and aroma in a supremely light and refreshing package. A summer crusher, indeed.
- Ur-Bock Dunkel : At the first sip it is smooth and full-bodied, at the second sip the true rich, strong roasted malt aroma of Einbecker Ur-Bock unfolds. The dark barley-malt brewed refreshment from the Einbecker original recipe.
- McGovern's Oatmeal Stout : McGovern's Oatmeal Stout is a very dark, full-bodied stout with a smooth, moderate bitterness and roasted malt character. Integral parts of this stout include its subtle chocolate and caramel flavors. Hops also provide a subtle aroma and flavor without overpowering McGovern's overall balance. The milky, caramel colored head has small, tight, foamy bubbles that slowly cascade into the dark. aromatic liquid thanks to its oatmeal heritage.
- Porter : Dark, porter-type beer was brewed in Żywiec as early as 1881. It owes its intense color and clear flavor to four types of malt.
- Arcadia IPA : Dry-hopped with Columbus hops in our open fermenters, our IPA boasts a bright floral aroma and flavor reminiscent of pine and lemon peel. The pronounced hop bitterness is balanced by a medium-bodied caramel and biscuity malt character with a nutty finish. It showcases many subtle earthy bitter notes, rather than the resinous citrus-rind bite often featured in many American-style IPA's.
- Coal Porter : A superb porter, hearty & dark. This one is a staff favorite, made with pale, crystal, Munich, chocolate, and black malts. The darker malts give Coal its color and rich flavor. We use Target and Willamette hops to yield a very subtle hop flavor in this porter. 
- Panther PAle Ale : Kettle hopped with Simcoe and Ekuanot, and dry hopped with the same and a touch of Citra hops which shine through in the flavor and aroma. Look for tropical fruit and citrus notes with just a touch of pine.
- Garden Of Earthly Delights : Blonde Saison fermented with house mixed culture and aged on NC carrots, grapefruit, ginger, lemon verbena and sea salt. Bottle Conditioned.
- Keagan : Keagan Imperial Stout is the beer that started it all! A big Imperial Stout with intense dark fruit and roasted malt flavor. Leaning more towards an English-style Imperial Stout, the bitterness is restrained to allow the malt character to shine.
- Pomology: Cherry : Pomology is a series of beers that explore the interplay of fruit and beer. We added both sour and sweet cherries to a base of golden, sour ale and allowed the beer to ferment a second time and age in oak barrels. Pouring a brilliant red, bright cherry aromas and flavors are backed with a softness from the oak, finishing tart and crisp.
- Olde Ale - Bourbon And Brandy Barrel-Aged : Originally brewed in 2005 as the first in our annual Decadence series, AleSmith Olde Ale follows the tradition of classic British-style Old Ales. We've matured this batch in both premium bourbon barrels and brandy barrels to add a vinaceous complexity to its rich, malty profile. Notes of oak, vanilla, and bourbon compliment the beer's dried fruit and burnt toffee character to make this limited release worth the wait. Designed to be enjoyed now or generously aged in the bottle for years to come.
- Raspberry Blush : Formerly marketed as Fruit Face.
- Cool Hand Cucumber Pale Ale : This pale ale draws elements from several different beer styles and utilizes a hefty addition of cucumber with the goal of creating a crisp, refreshing summer-geared pale ale for your sipping pleasure. Kölsch yeast, a German ale yeast that creates a lager-like profile, provides a cleanly fermented, low-ester foundation. Paying homage to the greatest state in the union, a heavy reliance on a new hop variety, Idaho #7, in tandem with Amarillo endows the beer with an herbal aroma and flavors of citrus, apricot, melon, and a hint of black tea. Its moderate hopping provides a noticeable 42 IBU backbone. Pilsner malt comprises the majority of the grain bill keeps the beer extremely light in color while supplying a delicate malt flavor. Small additions of Munich, wheat, and special pale malt add light complexity and a touch of color. The beer is intended to be dry and low in body to aid in its more refreshing nature. 125lbs of organic cucumber were shucked and gruesomely pureed to pulpy perfection, then added late in fermentation.
- Dunkulele : Dunkulele is brewed with dark caramel and roasted versions of barley and wheat. Dunkulele is a dark wheat ale that contains a nice silky mouthfeel without hiding any of the yeast esters that make this beer unlike anything else in our line-up. A slight clove and banana character come into the aroma and flavor of this beer by way of its German rooted fermentation. A perfect beer for a crisp, cool Autumnal evening. ​
- Belgian-American Pale Ale : Dry and complex like a Belgian, and hoppy and refreshing like an American pale ale. This beer was fermented with a classic Belgian yeast strain and contains a portion of beet sugar. Hopped with saaz hops from the Czech Republic and the famed cascade hops from Yakima it has a flowery honey and citrus aroma and a very dry almost wine like finish.
- Shiner Birthday Beer 108 - Cold Brew Coffee Ale : For our 108th birthday, we’ve brewed up something special. Our first coffee ale, crafted in collaboration with Austin’s own Chameleon Cold-Brew, made with dark-roasted specialty malt and Chameleon’s beloved cold-brewed coffee, it’s sure to wake up your tastebuds. But it won’t be here forever, so pour yourself a fresh cup while you can.
- Milly's Otto Altbier : Otto, a Düsseldorf Altbier, is a beer that was inspired by a trip to Düsseldorf's Altstadt (old town) when I was a student studying brewing at Doemen's Academy in Munich. The Altstadt has several fantastic brewpubs that produce some of the most wonderful tasting alts that I've ever tasted. Trying to be true to these beers, I brewed Otto with several German malts, a healthy dose of German Magnum and Tettnang hops and fermented with German yeast. The end result is a full flavored ale with a complex malt flavors and an assertive hop bitterness.
- The Publick House IPA : Brewed in appreciation of The Publick House, a craft beer mecca in Brookline, MA where close friends and warm hospitality welcome us time after time. The Publick House IPA features Citra, Centennial, and Columbus hops with an aroma bursting with fresh orange juice and under-ripe peach along with notes of toasted malt. The flavor profile is more bitter than our “Street” IPAs, but with a toasted, bready malt character to balance. Bitter grapefruit flavors emerge with mild pine on the finish.
- Spruce Tip Pale : This pale ale is uniquely local, brewed with a generous addition of tender new growth spruce tips, freshly foraged from the coastal range by members of our brew team. Harmoniously hopped with citrusy and piney varietals, this pale ale bursts with an aromatic blend of mango, candied orange, pine, lemon, and tropical fruit.
- River Horse Oatmeal Milk Stout : A velvety smooth Stout brewed with oats and milk sugar that create a creamy finish over a dark malt base.
- Black Robusto Porter : A robust Porter, Drake’s Black Robusto has a roasty character and is stronger in alcohol than a regular porter (thus “robust’). Dark black in color with chocolate maltiness from seven different types of barley and spicy herbal hop character from Northdown and Williamette hops.
- Abbey 6 : This dark mahogany ale is loosely based on the classic Dubbel style brewed by the Trappist monasteries of Belgium.
- Brett Saison : Brett Saison - This barrel aged version of our Dragon Rye Saison has extra depth and complexity from the addition of brettanomyces and 6 months in pinot noir barrels
- Ossian : Available throughout the year, this superb golden ale continues to win awards. A pale, golden coloured brew with a full bodied fruity flavour with distinct nutty tomes and a hoppy, zesty, orange aroma, derived from First Gold and Cascade hops. Excellent brewing resulted in Ossian being judged the Champion Beer of Scotland.
- Azaccasicle : Brewed with a blend of tropical and citrusy varietals in the kettle, followed by a double dry-hopping with generous amounts of Azacca hops, Azaccasicle is bursting with papaya, grapefruit, pineapple, and zesty orange hop character. Gentle backing with oat malt, flaked wheat, and a touch of milk sugar supports this bright, fruity hop charge with a soft, creamy mouthfeel and a hint of sweetness.
- Beaver River I.P.Eh? : Citrusy & piney-earthy hoppiness complemented by bready maltiness, fruity esters and caramel flavours.
- Never Forever : Gose with a ton of Passionfruit added. This is one of our favorite, and most acidic fruited Goses we have released so far.
- Harvest Dance : John Barleycorn is memorialized in English folk tradition as the personification of the barley plant, sacrificed at harvest time and then reborn as beer or ale. Our Harvest Dance Wheat Wine is a celebration of John’s Midwestern cousin, wheat. Beginning with a large portion of wheat malt, we add an equally generous helping of Hallertau and Citra hops and age the ale on both French and American oak. The result is a big, warming burst of tropical fruit flavors, highlighted by subtle wine-like notes, and rounding slowly to a long, dry, oaky finish.
- Bourbon Barrel-Aged The Jam : Based on a legendary raspberry hot pepper jam family recipe, a flavorful mix of homegrown hot peppers were painstakingly gutted and slowly roasted on a grill. Jamming it into bourbon barrels with our Silk Porter and an abundance of raspberries just for our Rare Beer Club sounded like a brilliant idea to us, and has created this unique, complex and totally tasty flavor combination.
- Chokecherry Brown Ale : Showcasing the addition of South Dakota chokecherries, Brown Ale offers notes of bittersweet chokecherry jam and dark malts with a crisp, refreshing finish.
- Yonkers Pear Wit : A Belgian style wheat beer made with pear juice. This straw colored, refreshing brew has notes of cloves and banana that balance with slightly tart and fruity finish of pears. 
- Russian Imperial Stout : Full-bodied stout that starts with a complex, malty sweet and high-roasted character that is wonderfully balanced with the use of citrusy American hops.
- Foggy Glasses : "Haze Craze” up in here! Big juicy juice aroma with tons of citrusy grapefruit and tangerine notes, a super smooth cheek-filling mouthfeel, and all the hops. Super-charged with El Dorado, Mosaic, Citra and, our new favorite, Vic’s Secret hops.
- Passion Abduction : Our big, rich, chocolaty invader has returned once again, this time teeming with passionfruit. The result is like drinking a dense chocolate tart with notes of coffee, vanilla, cacao and bright, punchy passionfruit.
- Flora Blue/Black : Flora is the wine barrel aged version of Florence (1915-1967), our grandfather's sister as well as the name of our wheat farmstead ale. Only a few barrels were selected, and that beer was aged further on a blend of fresh, hand-picked berries from Greensboro and East Hardwick. The result is a complex, elegant, fruit-forward blend that both marries and highlights each of its constituent elements.
- Repo Man : This is one easy drinking stout! Roasted barley and rye provide a complex roasty aroma and flavor with underlying nutty notes, while Nelson Sauvin and Sonnet hops add just enough bitterness to perfectly achieve balance on the palate.
- CAP DOG : CAPDOG is a warped smoky black IPA brewed to imperial strength, infused with cascara - the fruit of the coffee plant. Subtly sweet, with big resin and chocolate notes, balanced by spicy and smoky flavours, CAPDOG is a curious collaboration between CAP and BrewDog.
- French Vanilla Militia (2018) : Dark Lord aged in Sauternes barrels with vanilla, cocoa nibs + coffee.
- Keys To The Asylum: Barrel-Aged Silver-Tongued Devil : Our fruit-forward Belgian tripel has spent 6 months in a wonderful Chardonnay barrel and picked up the whitewine frutiness and oak character of the barrel.
- Pamola Xtra Pale Ale : Brilliant clarity, bright golden in color. Pamola Pours with a nice creamy head and subtle malt and hop aroma. Crisp, clean, effervescent start with a touch of malt character and a balanced bitterness. Hop flavors linger nicely. Finishes clean, crisp and dry with a light body. Pamola is brewed with pure, soft Maine water from Lake Auburn; three different hop varieties, plus domestic and imported “Character” malts provide complexity, color and body while making use of a clean, well attenuating, top-fermenting American ale yeast. The beer is then cold conditioned for a smooth, clean and crisp flavor. This one is extremely drinkable!
- Matilda : Golden sunrise color, baking spice aroma, fruity biscuity malt flavor, dry body.
- Last Man Standing : Sweet caramel with subtle toast notes with a fruity raisin finish.
- D-Day : Coal black color, dark roast coffee aromatics, Calvados soaked pear flavor, full body.
- Naive Melody : The less we say about it the better. Dry like white wine, traces of fruit; Head in the sky, deep golden hue. Take a sip. Sings into your mouth.
- Mermaid Pilsner : Mermaid Pilsner is a light-bodied, crisp-drinking, nicely hopped lager. A heavy-handed addition of rye malt adds a mild spiciness, which is balanced by a light, fruity, floral hop aroma.
- Or Dubh Stout : Irish "Black Gold" in a glass, this dry stout rivals the best of Dublin itself. A blend of seven grains results in a beer of subtle complexity. A substantial portion of this grain is roasted barley which creates the intense colour, aroma and flavour that defines a great stout. Poured in the traditional manner, it takes a while to pour, but is well worth the wait.
- Couch Surfer : Brimming with darkly roasted malts and rich notes of chocolate and coffee, this velvety-smooth oatmeal stout lingers and lounges into your heart. Gone before you know it...seriously.
- White Rajah : A West Coast style IPA full of citrus-like and tropical fruit like hop flavor and aroma with an assertive yet smooth bitter finish....malt, take a back seat please
- Deviator Doppelbock : Doppelbocks are Teutonic-inspired dark lagers that feature imported German malt and were served by the Bavarian monks during times of fasting as “liquid bread.”
- Chez Monus : A Blended Belgian-style beer aged in wine barrels with white peaches and apricots added. Delightfully tart and fruity, complex from the unique mix of wild yeast and helpful bacteria, a beer for sipping.
- Louis XVII : Up front caramel notes, toasted bread aroma, hints of toffee, roastiness, and fruitiness. Well rounded with balanced bitterness. Made with local specialty malts, natural ingredients and brewed with pure Edmundston water.
- New Year's Revolution : Hopped with Amarillo and Simcoe, which gives this smooth double notes of grassy-papaya, hints of pine, and citrus fruit.
- Kuhnhenn Kuhnie Wrench : A strong, smooth, malty Northern English Brown Ale. This beer has a sugges-tion of dark fruits and hops. Rich dark ruby red in color with a hint of warm copper, this easy drinking brown is de-lightful.
- Saranac Vanilla Stout : Few ingredients rival vanilla’s ability to add richness and roundness to food. Made with a traditional blend of caramel and chocolate malts plus roasted barley and a hint of vanilla. Vanilla Stout will surpass your expectations. Enjoy the brew on it’s own or with a bite of dark chocolate for a real treat.
- Saison Rayée : Brewed with a mix of grains and an authentic Saison yeast strain, this beer is a blend of Saison aged in wine barrels with Pediococcus and Lactobacillus for 8 to 12 months. It was then bottle conditioned to create the dry, tart and complex character you are hopefully now enjoying.
- Carnaval : Passionfruit and Creme sour
- Manly Men Beer Club El Hefe : Our head brewer James Taylor* was given the club’s challenge: brew a high gravity Hefeweizen while tempering the typical clove and banana notes. He began with a healthy amount of Bohemian Saaz hops, and a grain bill of equal parts malted barley & wheat berries. Then he swapped the German Wizen yeast in favor of an English Ale yeast, better suited for a barley-wine. The result is a complex yet delicate beer with a soft mouthfeel which warms yet doesn’t overpower. We like to think of this beer as sort of a cross trainer between the classic unfiltered wheat style and a barley-wine ale. 
- Skeleton Key - Coconut : The Silver Variant was further conditioned on toasted coconut, serving to round out the spice character and offer a perfect complement to the subtle barrel/spirit notes. Truthfully, writing this has made me realize that It's impossible to describe coconut in any other way aside from 'coconutty'. And although subtle, this variant strikes a perfect balance between each and every addition to the base beer.
- Arrowhead Red Ale : Malt lovers rejoice! This beer has a strong malt backbone, sweet caramel finish and low bitterness. Arrowhead Red has slight fruitiness and hints of roasted barley which make it a great beer for the transition from winter to spring.
- Salt Spring Heatherdale Ale : A Salt Spring Style Heather beer, Heatherdale Ale was created for the world famous Butchart Gardens in Victoria. Heather ale is a Scottish (actually Pictish) style that dates back thousands of years (2000BC). Our Heatherdale ale is dark gold, lightly hopped with East Kent Goldings, then infused with the aroma of Heather flowers from the Butchart Gardens. Mild with a floral aroma.
- Proletariat Red : Deep chestnut in color, this beer has a toasted malt quality with biscuit undertones leading to notes of caramelized pear & cinnamon. This complex brew ends with sweet malt flavors that mellow into a mild hop finish.
- Curiosity Fifty Two : Curiosity Fifty Two is the latest in a longstanding line of experimental, inquisitive, and process-progressing hoppy beers by Tree house! Fifty Two draws inspiration from many areas, including an idea first utilized in Curiosity Six back in 2014 - white wheat! A hearty and complex hop bill of all northwest American hops plays well with white wheat, creating a heavily citrus forward flavor profile with notes of tangerine and lemon, balanced by a soft, doughy, and wheaty character on the back end from the white wheat. It is full of flavor, elegantly balanced, and easy drinking - in short, it is everything we enjoy about a single IPA, and, much like Curiosity Six, has served to further our understanding of how wheat can contribute to a heavy kettle and dry hopped Tree House IPA. Enjoy!
- Little Egypt Stout : Do you like coffee? How about chocolate? Cream? This beer tastes like all of them at the same time, with a balanced finishe of hop and roast. This is my best homebrew recipe for an American Stout. Enjoy the dark!
- Kablamo : Rye IPA, 6.7%abv, Citrus and pine aromas, with spicy, woody character courtesy of the 30% pale rye in the grist. Full mouthfeel which captures the powerful candied grapefruit hop flavors
- Old Rasputin XVII Barrel Aged : Every year we age a special batch of our much-loved Russian Imperial Stout in Bourbon barrels. The depth, intensity, and complexity of the flavor profile of this special release, like its predecessors, make it a worthy tribute to Old Rasputin.
- Brother Joseph's Belgian Dubbel : Maimed in an accident that left him with a hunched back, Brother Joseph Zoettl worked in the St. Bernard Abbey power plant shoveling coal. In his spare time, Brother Joseph used found objects such as marbles and chunks of concrete and tile to build miniature shrines and buildings on the Abbey grounds. Over 40 years, he created 125 different models and replicas. Today, the Ave Maria Grotto covers three acres and is world-renowned as both a fun roadside attraction and an awe-inspiring collection of folk art. We have named our Belgian dubbel after Brother Joseph as a testament to his perseverance, his hard work, and his indomitable spirit. A full-flavored abbey-style ale with a complex taste and aroma, Brother Joseph’s Dubbel is filled with specialty malt and dark fruit character.
- Tic Toc IPA : This New England style IPA is fruitful and bursting with flavor. The haze is similar to a rolling fog on the waters of the old inlet. An Angler known to some as "Tic Toc" has fished these waters always hoping to bring in "that big catch".. Well, here it is, "Tic Toc" approves!
- Professor Plum, In The Brewhouse, With The Mash Paddle : A Bier DeMars. Rare Flemish “farmhouse” style beer, traditional brewed extra strong in the month of March. Fermentation gives the beer flavors of dark fruits, to which one pound of plums per gallon were added.
- Brewmaster's Premium Reserve Abbey Triple : A Belgian Trappist triple yeast culture balanced with the finest imported pale barley, Belgian aromatic malt and oats, gives this golden ale a fruity bouquet and a light refined taste.
- Mosaic Dry Hopped Fort Point : With this distinctively dank Fort Point variant we feature Mosaic in the dry hop. Pouring a faintly cloudy, canary gold, Mosaic Fort Point emits a fragrant nose of herbal-woodsy hop, passion fruit, and zesty meyer lemon. Thirst quenching flavors of juicy mango, peppy citrus, and earthy hop entwine on the palate with the familiar biscuity mouthfeel, medium body, and bone dry finish of our signature pale ale.
- Mosaic Double IPA : I’ll be dammed, this is a great double IPA! Brewed with 100% Mosaic hops this beer is packed with complex aromas showcasing crushed grapes, citrus, passion fruit and grape fruit. The finish is dry and slightly sweet.
- Social Dynomite : Social Dynomite is a brand new, double dry-hopped double IPA. Brewed with Nugget and Amarillo, the first round of dry-hopping included Huell Melon and Summer, then we added Simcoe lupulin powder, Mosaic, and Mandarina Bavaria. This stacked, varied and unique hop bill provides some explosive tropical flavors and aromas. The nose is met with strong notes of melon, stone fruits, and mango, as well as a subtle earthy pine. On the palate, tangerine and pineapple juice are complimented with a floral backbone. I citrus you not, this pillowy, 8.5% DIPA will get your taste buds lit up.
- Cantillon Noyau : Cantillon Noyau is a small test batch that was blended in 2013. It consists of 2 year old lambic aged for a few weeks with peach pits. No actual fruit went into this beer.
- Alice's Blond Ale : Behold the tangy influences of the yeast, assertive malt, and light, hoppy flavor. Illusional confessions of allspice and fruit.
- Korner's Kolsch-Ville Ale : Kernersville’s famed German immigrant, Joseph Kerner, may never have enjoyed this fine German beer at the Folly, but you can today. This very pale ale is unique to Cologne, Germany and is brewed with Pilsen and caramel malts, German Spalt hops, and Cologne-sourced Kölsch yeast producing a lager-like crispness with a fruity finish. We wouldn’t be surprised if this is the lawn mower’s choice beer in Germany!
- #11 Belgian Tripel : Spicy, fruity, strong.
- Brewers Reserve Barley Wine (Aged In Bourbon Barrels) : This is our once a year brew of Bourbon Barrel aged Barley wine. It’s brewed with Munich, chocolate and caramel malts, and hopped delicately with Golding hops. It's aged in Jack Daniels Barrels for a year to allow the beer to mellow out and mature. The oak provides a dimension of coconut, vanilla and even a touch of Bourbon. Dark red, low carbonation and great depth, this is one of our most special beers.
- Dock Street Bohemian Pilsner : Brewed in the style of the original pilsner beers of Bohemia in a tradition that dates back to 1842. We use pilsner malts and a generous amount of Bohemian Saaz Hops to produce a golden color, soft, nutty malt flavor and floral hop bouquet.
- Dark Rye Lager 2014 Bourbon Barrel Aged : Full-bodied, dark rye lager. We brandy barrel age it for a sweet, slightly oaky finish.
- Three Ninety Bock : ThreeNinety Bock is a slightly roasted Maibock with a sweet toffee and light caramel flavor, crafted from four hop varieties, combined with rye malt and oak smoked malt. Mosaic and Hallertau Mittelfrueh hops provide the balance that gives this dark golden bock a big, juicy character and slightly sweet and dry finish. ThreeNinety is a nod to the distance in miles between Boston and Rochester.
- Schell's Dark : This beer is dark because the barley is roasted longer– a flavorful lager that everyone will enjoy.
- Russian Imperial Stout : A thick, dark, black beer with rich maltiness, roasted and chocolated malt flavors and high hop bitterness. The strongest of stouth, this robust beer will age with grace, transforming through complex flavor variations. Unfiltered.
- SAMO : Samo features the remarkable complexities of four celebrated American hops: Cascade, Centennial, Citra, and Simcoe. Hazy and pale orange in appearance, Samo erupts with citrus, mango, and dank pine aromatics. Bold, juicy flavors of tropical fruit, peach, and cantaloupe. Finishes bone dry yet soft and creamy.
- Melon Melange : Melon Melange, a NW style sour wheat ale matured in neutral oak for more than 22 months, with four months spent on over 35 lbs. of Tuscan, Casaba and Santa Claus melons. Notes of white grape must, cantaloupe, white peach and cucumber are matched with a bright lactic acid structure. Flavors of honeydew, ripe pear and Pinot Gris offer a melange of fresh summer flavors to the cold, dark days of late-autumn in Portland.
- Galaxy Four Seam : A true New England IPA loaded with hoppy citrus and tropical fruit flavors sitting on a cloudy backdrop of light malt. Bitterness is intentionally low to accentuate the intricate flavors of the hops and promote a "juicy" character.
- Nebula : Orion is the beer formally known as "Nebula", is a Belgian-Style dark IPA. The focus is not only on the yeast used during the brewing process, but also on the hops and dark grains. The yeast imparts a fruity and spicy flavor/aroma to the beer, followed by a sharp bite from the hops, then late in the finish you enjoy the flavor of the dark grains. Our version has no added fruit or spice.
- St. Edmunds Porter : A full bodied dark porter, this beer has lots of dark malt characteristics, with the hop characteristics being low and in the background.
- Chocofrut Guayaba : ChocoFrut is our 5 Rabbit melding of luscious, chocolatey dark-roasted malts and the bright flavors of real fruit, for a series of beers that are creamy, fruity and ultra smooth. In the world of beer, ChocoFrut is a rare confection.
- Aww Jeah : Aww Jeah is a Double American India Pale Ale with a dark orange hue and big hop aromas. Sweet malt collides with an array of hop flavors ranging from sticky fruit to pine in this brew. Aww Jeah shifts towards a finish that is sharp and bitter.
- Milly's Hopzilla : Hopzilla is an Imperial India Pale Ale (Double IPA) that was made with a monstrous amount of hops. Four different American varieties were used which include Chinook, Columbus, Cascade and Centennial. To create a complex aroma and flavor, hops were added as the wort entered the kettle, numerous times throughout the boil and twice during fermentation (dry hopping). While being a very bitter beer, it is pleasingly well balanced and ends with a smooth finish.
- Not Your Father's Root Beer (5.9%) : Not Your Father’s Root Beer is a category-defining craft specialty ale brewed with unique spices. Brewer Tim Kovac’s creativity and painstaking commitment to flavor complexity results in an unmistakable offering that masterfully blends hints of sarsaparilla, wintergreen, anise, and vanilla. A smooth and balanced Ale, NYFRB has broad appeal – from discerning craft beer drinkers to non-beer drinkers.
- Cranberry Berliner : Our ode to summer. By implementing a sour mash procedure in our kettle an intense lactic and sour character emerges, complemented by the addition of cranberries. The beer is then fermented with our lager yeast. Finishes fruity, citrusy, dry, and quite tart.
- Jackpot Porter : Yahoo! You’ve hit the big one! The nutty, roasted flavors and creamy palate of this dark English classic makes it one of the most sought after of all our brews. An intriguing beer and a reward for any occasion.
- Scaled Up : The first Double IPA produced at our Canton brewery. Featuring four powerful aromatic hop varieties, Galaxy, Mosaic, Nelson Sauvin, and Columbus, Scaled Up emits dank, spicy, aromas that lead into fruity, citrusy flavors of peach and orange on the palate. Lighter in body than most of our other Double IPAs, Scaled Up finishes dry and smooth with a pleasant bitterness.
- Welly Mammoth Winter Stout : Welly Mammoth is a huge and complex winter stout with subtle hints of balsam fir and a refreshing peppermint finish. With a huge body and rich chocolate malt this full bodied stout embodies the majestic presence of this pre-historic beast. Brewed using balsam fir boughs and peppermint, this massive winter stout is black in appearance and is heavily fortified with 9% alc/vol . Welly Mammoth Winter Stout is sure to bring some warmth to fight off the deep chill of winter.
- Festina Lente : A neo-lambic ale that goes through both a yeast and bacteria fermentation and is then aged on oak chips and 400 pounds of Delaware peaches. This beer is very tart and complex. It is bottle-conditioned in champagne bottles.
- Illuminating The Path : Illuminating the Path is a collaboration with Ecliptic Brewing out of Portland, Oregon. The concept behind this beer was to connect Oregon and Florida, which brought several raw materials to mind. John Harris of Ecliptic and myself decided to use rose hips and marionberries, indigenous to Oregon, plus hibiscus and acai berries from Florida. The recipe for the beer was designed with these ingredients in mind, and then aged in pinot noir barrels from Oregon. The result is dark, with big fruity notes, balanced by vinous wine-like notes. We wanted to balance the concept of beer and wine and believe we have done that successfully.
- Treasure Chest 2015 : Say Aloha to Treasure Chest 2015, an exotic pink IPA brewed with grapefruit, prickly pear juice and hibiscus flowers. Erupting with fruit-forward complexity, 100% Mosaic hops present aromas of heady citrus and refined stone fruit. The pleasantly bitter flavors of the hops are enhanced by the addition of fresh grapefruit juice. Offering balance to offset the bold citrus notes, prickly pear juice imparts a peppery-sweet kick in the finish. Tropical Hibiscus flowers give this beer a naturally pink hue, a nod to the official color of the Treasure Chest mission. 5.7% ABV | 65 IBU
- Skunk Black IPA : Yes, Skunk Black IPA. Big hop aromas hover over this perfectly balanced, dark beauty. Who knew a skunk could smell so good? Discover why a hint of roasted malt is the perfect complement to big hop flavor. Get Skunked!
- Brabant Tripel : Strong Golden Abbey Ale - Light in color yet strong, this highly drinkable golden ale is driven by complex fruity esters, subtle floral notes in the aroma and flavor and a smooth, slightly sweet finish. 9.2% abv - 23 IBUs
- Travis Bickle : Brewed with Passion Fruit and Guava.
- Because, Stout #02 : This edition features cocoa nibs, blackberry and raspberry. Deep notes of dark chocolate meld with soft, sweet hints of lovely brambleberries.
- Uncle Tyson's Dunkelweizen : Combining the best of two beer styles, dark and wheat, the Lena Dunkelweizen will appeal to both wheat beer and dark beer fans. Light brown in color, medium in body, sweet and malty in flavor, and brewed in the true traditional German style.
- Porte Noir (BeerAdvocate Blend) : On April 11, 2016, Team BeerAdvocate ventured to Portland, Maine, to blend the official Return of the Belgian Beer Fest beer at Allagash Brewing Company. After pulling samples from several oak and stainless steel tanks and experimenting with different combinations, we ended up with two blends (Papier Doré & Porte Noir), a light and a dark, to represent two sides of the sour flavor experience—and because we just couldn’t pick a favorite.
- Different Strokes : "A clean and refreshing APA with a complex array of citrus, berries, herbal, earthy and pine characteristics with aromas of tropical fruits.
- Queen City Hefeweizen : Queen City’s unfiltered wheat beer, produced exclusively from German malt, wheat, and hops, is complex and refreshing. The large percentage of wheat provides a pleasant creaminess and long-lasting head, while our distinctive yeast produces subtle banana- and clove-like notes in both the aroma and flavor, which perfectly balance the bready character of the malt. (ABV 5.6% IBU 24)
- Old Wooden Head : Traditional brown, English-style Barleywine with complex malt sweetness of caramel and toffee. Full bodied with balanced bitterness and a warm finish. Served on nitro to recreate an English tradition.
- Volkan Santorini Grey : Pale blonde, yellow fruit flavor with hints of honey, flavors banana, pineapple, lemon flower and unripe bitter orange, rich white foam with good density and average duration.
- River Rye : This Red Rye is the perfect pairing of bold American hops and earthy spicy rye, offering a unique complexity of flavor. It is rich but refreshing with a deep mahogany color, creamy body, and crisp clean finish. This beer is in a can, although it's best enjoyed in a glass the can makes for easy travel.
- Southern Drawl : A hop forward lager with complex, citrusy aromas derived from German hops and wheat phenols. We use our house German lager strain to provide a fresh backdrop for this perfect session lager. Mildly traditional...Wildly drinkable.
- Wallonia 2007 : The label reads "Belgian Pale Ale", but the beer is dark - by mistake the labels from the 2005 edition wasn't changed.
- You, Me And Everyone We Know - Batch 001 : In the Spring of 2015 we brewed an extra batch of our hoppy saison “All My Tomorrows," and immediately racked it to fresh California Chardonnay barrels along with some of our favorite strains of brettanomyces. A year later, our patience was rewarded with a bright and funky beer that has a nice touch of acidity. We felt this beer would blend well with our Louisiana mayhaws in our foeder to create a truly unique beer. To add another layer of complexity, we dry hopped this beer with a touch of Citra. The result is a nice and tart fruit forward saison with an added bit of bright but subtle funk.
- Pale Ale : Hints of grapefruit, melon and pineapple complement the dry finish on this pale ale. Columbus hops are used for bittering, Cascade for aroma and flavor and dry hopped with Crystal.
- Lineage Wheat : The first edition in our Lineage series of farmhouse ales features local wheat from Valley Malt in Hadley, Massachusetts. Bright, clear, and straw-yellow in appearance, Lineage Wheat invites with a complex nose of grassy funk, crisp citrus rind, pepper, and floral white wine. Starting mildy tart, yet not sour, this approachable saison follows through with flavors of earth, musky funk, woody-oak, light wheat, and some balancing, tangy, citrus character. Lineage Wheat is beautifully light in body and dry on the palate.
- Bashi : This farmhouse barleywine style ale was brewed with all Indiana grown barley, with a touch of malted oats. Boiled for 3 hours, this beer is a bold tasting experience of dark stone fruit, caramelized sugars, raisin and spice. This beer is fermented with our house yeast, so it still finishes dry yet full-bodied. Barleywine is Life.
- Kuhnhenn Iron Monger Dunkel : This dark brown German lager is dominated by Munich malt, with a bready and malty nose. With mild caramel and chocolate notes this beer is robust while being drinkable like a lager. It leaves the palate malty with a medium-dry finish.
- Happy Season : This dry-hopped saison is a balanced blend of spicy and fruity esters that is paired with a group of new hop varietals. Notes of pepper, citrus and a bit of bubblegum. Drink it, It's good!
- Mountain County Stout : This Imperial Stout aged 11 months in Four Roses bourbon barrels is chock full of dark roasted malts, raw cocoa nibs from local chocolate legend French Broad Chocolate Lounge and a proprietary blend of dark roasted organic coffee from Pisgah’s neighbor, Dynamite Roasting Company.
- Azacca Haka : Our brewers enjoy tiki cocktails, so they created a beer that has the tropical fruit flavors without using any actual fruit. This 6% American Pale Ale is brewed with Motueka and Kohatu hops (New Zealand) and the Azacca hop (Washington) resulting in pineapple and jack fruit flavors, citrus aromas, and a mellow bitterness.
- Artista Zynergia: Stramboozled : Stramboozled is a special three way blend between Brouwerij Alvinne (Moen, Belgium), Hanssens Artisanaal (Dworp, Belgium) & OEC Brewing. The blend includes several druited sour ales that were matured in oak barrels with one of three different fruits: strawberries, raspberries or cherries.
- Milly's Bold Horizons : Bold Horizons is a unique beer that is extremely refreshing to drink and challenging to the senses. Brewed similar in style to a Berliner Weisse, Bold Horizons has a crisp, tart flavor that is layered with an essence of fruit and a hint of spices.
- I See The Vision - Apricot And Boysenberry : Lupulin powder IPA with rotating fruit
- Käməˌserē : A donut inspired Triple IPA. Say ‘commissary.' It’s a Triple IPA about a donut. Or, about donuts. About Federal Donuts. Yes, we brewed this beer with donuts (in the mash, if you care to know), and we have no regrets about that. But the real inspiration for this beer was the complex aromatics the clever folks at Federal Donuts use to set their donuts apart from the rest. We wanted to pair American hops (Simcoe, Azacca, Mosaic, Denali) with these mysterious spice blends. Throughout the process, we brought this beer into contact with strange components. Dense, subtle, mysterious perfumes, but also things fruity, floral and artless. It’s a lot for a beer to have gone through. And yet, it’s a Triple IPA about a donut. Totally unnecessary, and therefore delightful.
- Indy Hopolis : Our balanced IPA offering is brewed with El Dorado and Chinook hops which lend a touch of piney resin and grapefruit on the palate and intense tropical fruit on the nose. Drinks like a great session ale; but with an ABV of 6.8% and 65 IBU’s, you may want to take your time with this beer.
- 'O' Town Brown Ale : Complex in flavour with hints of chocolate and coffee, this hearty staff favourite combines two row prairie malt with 5 different specialty malts, resulting in a deliciously smooth finished ale.
- Barleywine : Specially released for our 2nd anniversary this Barleywine packs a lot of flavor. It has a strong malty flavor followed by the warming sensation attributed to the 11.2% ABV. Barleywine is, indeed, a beer, and an ancient Greek style of beer made from fermented grains. The high alcohol volume of is similar to that of wine but unlike wine it isn’t made from fruit. Since it is made from grains it is called Barleywine. Take some home in a growler and nuzzle up by the fire.
- Adventure Amber Ale : An American Amber Ale style beer. This amber ale is full of sweet malty flavors and a heavy dose of complex hop flavors and aromas. Deep copper in color. Because this is an American Amber Ale style beer it features strong American citrus and floral hop aromas.
- Mellow Daze : A Pale Ale with Hints of Grapefruit and Papaya. The perfect beer to cope with the end of the summer.
- Newport Storm - Derek (Cyclone Series) : Named after our Head Brewer, Derek, this brew is everything Derek is not—bold, dark, and very stoutlike! Loads of Chocolate and Roasted malts give this brew zero opacity. The beer is chock-full of IBU, but those darker malts mask much of the flavor of the hops, hence the additions of the aromatic Styrian Goldings!
- Terminally Ale : You have never felt more Alive! A lineup of domestic malts, hops and yeast make a malty beer with a big hop finish and great drinkability. Picture Abraham Lincoln eating a hot dog filled with apple pie filling while watching a baseball game to get an idea of the pure Americana we are pouring. Do NOT tread on US! Our version of the American Pale Ale is medium bodied and copper colored. As per style, the flavor and aroma is centered around the citrusy and pine character of American hops with caramel-like malt flavors and fruity esters from the ale yeast playing a supporting role.
- Summit Pale Ale : This is an American style pale ale with a new northwest hops called summit hops and an English yeast strain. A great hoppy alternative to the IPA. This beers hops are noticeably fruity and complex with hints of spice and citrus.
- Reward : The bigger and very different brother of our Risk IPA. Reward features a dry malt profile and Citra, Amarillo and Eureka hops. The result is a dank hop aroma with tropical fruit and distinct pineapple character backed up with a floral/lemon-citrus hop flavor. The bigger the Risk the greater the Reward.
- Goodbye Pluto : A vibrant, full bodied IPA featuring Galaxy & Comet Hops. These hops, combined with the yeast and a grain bill including rye, come together to form intense aromas and flavors of piney resin over a background of tropical fruits. 
- Jubilee Celebration Bock : Also known as the “Baby Bock” it was first brewed to celebrate the birth of Natalie, the brewmaster’s daugher. This dark and malty lager, with a toasty warm finish, has a Dortmunder style. Enjoy one in celebration of life!
- Erdinger Weissbier Dunkel : Carefully selected dark malts with delicate roasting aromas give ERDINGER Dunkel its full-bodied flavor and strong character.
- Big Rock Traditional Ale : This medium bodied Brown Ale fills your mouth with a fusion of toasty malt and sweet caramel up front finishing with a nutty flavour, medium creamy carbonation and mild hop bitterness.
- Flora Cherry/Raspberry : Flora is the wine barrel-aged version of Florence (1915-1967), our grandfather's sister as well as the name of our Farmstead® wheat ale. A single barrel was selected and aged on a blend of fresh, hand-picked cherries and berries from Elmore and the Champlain Valley. The result is a complex, elegant, fruit-forward blend that both marries and highlights each of its constituent elements. 
- Surrounded By The Night : Surrounded by the Night is a barrel aged Sour Stout with lacto, brett, and pedio. This pitch black stout has a tan head and aromas of cherry, vanilla, dark chocolate, oak, and bourbon. At first sip, this beer is moderately acidic with flavors of dark chocolate and fruit, roast, and oak.
- Abbey Ale : This Belgium-style beer has a burgundy color with a medium body. made with authentic Abbey yeast, its aroma has a wondrously complex spiciness. This beer’s flavor begins with a malty sweetness that melts away to a fruity warming finish reminiscent of cherries.
- Icon Series: Brown Porter : Our Brown Porter is a dark, medium bodied ale with rich chocolate malt notes. We used English malt and hops along with our Saint Arnold yeast that comes from a brewery in England.
- Coffee End of Days : Imperial Milk Stout brewed with chili peppers, cinnamon, vanilla, chocolate and Dark Matter Coffee
- Nut Brown Ale : Nut Brown Ale has a diverse grain bill which lends this traditional English ale a variety of flavors that coalesce into a remarkably smooth and pleasant drink. Additions of various pale, caramel and dark malts create a smooth, sweet malt profile with hints of roasted nuttiness. Multiple additions of English hops round out the flavors and give this classic beer a true flavor of the Old World.
- Triple Mango IPA : Scratch #58 is collaboration between Tröegs brewers along with Troy Gadbury and Brad Moyer, winners of a homebrew contest sponsored by Al’s of Hampden. This Triple Mango IPA is bold, brazen and over-the-top. Unfiltered and highly-carbonated (for killer hop burps), Scratch 58 measures in at 125 IBU’s and 10.8% ABV. With a spicy mango nose and an intense overripe grapefruit flavor, we recommend this beer as the grand finale to your day as it overwhelms even the most-hoppy beers.
- Passion Foo : Sour ale aged in oak tanks with passion fruit
- Imperial Russian Stout : Ridgeway Imperial Russian Stout is a wonderfully powerful beer that famously keeps for many years and changes with age. Our bitterness starts at a mighty 99BU in fermenter and mellows with age. There is no recommended best before. Coffee and burnt toast notes fight with wine-like aromas and a cleansing edge that comes from extended cellaring. Complex stuff that is a long, long way from mainstream beer.
- Daily Wages : This traditional saison pours a hazy yellow. Brewed with three different yeasts, this beer offers the complexity, dryness and earthiness of a true saison. Soft bright fruit, yeast ester and spice pop with the crisp carbonation.
- Citrus Maxima : Witbier with wild yeast, brewed with different citrus fruits, grapefruit, lemon meyer, lemon poncil, yuzu, Budha hand, Limequat, Kumquat, bergamot, citron and lime.
- Neustadt Big Dog Beaujolais Porter : Dark, smooth and rich, enhanced with 3% Pelee Island red wine giving a subtle fruitiness. Offsetting the deep rich bitterness of the original porter. This beer was designed to emulate the London porters of old with a slight sourness. Brewed with pure spring water, New Zealand hops and imported specialty malts.
- Celt Lager (Cwrw) : A crafty lager, bottom fermented with pilsner yeast and stored for 6 weeks at chilly temperatures. Delivers a smooth, crisp and fruity experience. Brewed with Iso-resistant bittering hops and a bundle of American aroma hops, giving out stability with style, presented in a swarve transparent bottle.
- Nelson Sauvin Belgian Blonde : A more recent Belgian style that is light gold or straw-like in appearance with subtle Belgian complexity. We amped the style up by using fresh Nelson Sauvin hops grown in New Zealand. These fine hops lend a nice layer of complexity to the beer that comes across as that of a white grape must. The semisweet body created by the use of Contential Pilsner malt completes the sensory brush stroke with a soft finish.
- Lucky 13 Mondo Large Red Ale : Our 13th Anniversary Beer in was a Staff Favorite, So We Make it Each Year. BIG on the Amarillo Hops and Rich Dark Malts for a Round and Huge, Smoky Flavor.
- Expression: Five : Brewed with soft red wheat flakes and malted white wheat. Hopped with Citra and Motueka. Flavors of mango flesh, fresh zested lime, and ruby red grapefruit juice.
- Pressure Drop : Bittered with Columbus, Cascade, and El Dorado in the whirlpool, then dry hopped with an experimental hop (Bru-1) from Brulotte farms. This beer brings a punch of pineapple and stone fruit with a touch of spice, followed by a clean bitterness in the finish.
- Ghostland Wanderer : This hazy double dry hopped IPA was brewed in collaboration with our friends from the Scorched Tundra music fest. We used plenty of Belma and Grüngeist hops to make this juicy and aromatic IPA with notes of tropical fruit, stone fruit, citrus, and berries. Medium body with a soft finish. Exclusively on tap at Corridor and Scorched Tundra X at the Empty Bottle (8/30-9/1)!
- Coolship Resurgam : Coolship Resurgam is a blend of both old and young unfruited spontaneous beer. The name comes from the motto of our fair city, Portland, Me. It means "I shall rise again". Coolship Resurgam won a Silver medal at the 2010 GABF.
- The Not-So-Thin-Mint : From brewer's friend Scott Hunter, the Not-So-Thin-Mint is a rich 5.0% brew with all the elements of the Girl Scout cookie. This dark, lightly hopped ale is made with fresh mint, vanilla and real girl scouts (not really).
- Red Sky At Night : Our legendary Imperial Russian Stout aged in Cabernet Franc wine barrels for 3 months. This rich full bodied imperial stout has notes of dark chocolate and coffee which blend wonderfully with pronounced grape aromas and tart cherry notes imparted by the wine barrels.
- Sassafrass Trips : Belgian style Tripel brewed using classic yeast that tends to offer plum fruitiness with accents on spicy notes. Minnesota wildflower honey was used as an adjunct in this beer and it left a delicate earthy floral character in the finish. To highlight the earthy spicy character of this beer we aged this beer on Sassafras.
- Hash Session IPA - Hop Hash : The star of the show here is the Amarillo hop hash – the brewers kept the malt bill light to allow the concentrated hop flavor to shine through, differentiating it from other session IPAs. Pungent with floral, tropical citrus fruit flavors; the hop hash gives it that one of a kind chewy, gooey, resiny mouthfeel. As the chaser, SweetWater gave it a hefty dry hop to enhance the potent aromas. Ahtanum gives it orange and grapefruit tones, Crystal for a little kick of spiciness, and El Dorado bringing some pear and watermelon characteristics. SweetWater is one of the only breweries using hop hash.
- Paper Planes : Our double IPA hopped with Amarillo and Mosaic. Dry hopped with 100% Mosaic. Bright and clean, filled with tropical fruit hop aromatics.
- Pilsner : Pilsner is the most imitated style of beer in the world. Prior to the 1840's all beers were dark and cloudy. In 1842 a new brewery in Pilsen, Bohemia introduced a brew that was golden and clear. Our version has a deep gold color and a firm malt background. The emphasis is on the assertive hopping with Hallertau and Sterling varieties. Expect a beer that is substantial in body while finishing with a crisp dryness. Spicy and floral hop flavors are evident throughout.
- Jobless Brown Ale : Jobless Brown Ale, our flagship, is a sessionable India Brown. It’s deceptively dark, yet light bodied. Black patent, chocolate and crystal malts give it complexity, while a single hefty dose of hops balance the maltiness. This beer pairs well with grilled foods and is great with a cigar. It could also be described as a summertime porter.
- Trophy Wife Sour Blonde Ale : A part-Pilsner-part-wheat malt ale brewed in the traditional German, Berliner Weisse fashion. Lactobacillus was added to help bring about that mild, citric tartness we all love and a Brettanomyces strain was added for further complexity. The hops are added to the mash for their preservative nature only, not to impart bitterness. Cheers & Enjoy!
- Dubbelbok : Besides our IJbok we brewed another bock this autumn: the Dubbelbok (Double Bock). This heavier and stronger version of the IJbok is smooth flavored and full of dark aroma’s of caramel, laurel and chocolat. With an ABV of 8.5%, this firm bock will definitely get your juices flowing!
- James And The Giant : Bold & Complex Belgian Strong Blond Ale Brewed with 100 Lbs of Kuhn Farms-Grown Peaches (Pennsylvania). Layered with Flavors of Stone Fruit, Toffee, Cake, White Pepper & Clove. Fermented in our Open Fermentation Vessel.
- Shire Ale : A malty brown ale fermented with Scottish Edinburgh yeast. Flaked oats and six different barley malts including chocolate, dark crystal and amber malts are used in this rich tasting ale. Lightly hopped to let out the sweetness of the malt. A fun beer to make and a fun beer to drink.
- Rockingham Ale : A true crowd pleaser, this ale is brewed with a slew of specialty grains to provide flavors of sweet malt, caramel and a hint of toffee, which are perfectly balanced by west coast hops with notes of fruit, citrus, and pine.
- ROARlando : Golden ale brewed with ruby red grapefruit and hibiscus.
- Total Observation Scooter : Take the chill off a crisp fall evening with this rich, warming strong ale. Notes of toffee and hazelnuts swim around a significant hop profile created from multiple wet and dry additions of our own Nugget and Cascade hops, also creating a wonderful aroma of candied fruit. This ale pairs quite well with fall dishes of squash, mushrooms, and peppers. Some warm bread pudding also matches to create the perfect nightcap.
- Party Wave : Party Wave is brewed with a blend of four hops; Galaxy, Mosaic, Simcoe and Citra throughout the process. Flavors of passion fruit and citrus from the heavy use of Galaxy and Citra and more subtle pine and tropical fruit from the Mosaic and Simcoe blend well with a simple malt bill of Pilsner, Wheat and Low Crystal.
- Shadows Of Their Eyes : Dark sour beer aged in oak barrels.
- Multi-Barrel Experiment: Old-Fashioned : Beachwood Brewing ended up with two extra freshly emptied Heaven Hill bourbon barrels and asked if we wanted them over at the Blendery. We had some left over Belgian Brown with Brett that had aged in our Hungarian Oak foudre and decided to experiment. After spending 6 months in the bourbon barrels we tasted them and decided the beer needed some fruit to back up the strong woody and boozy characteristics. We added 120 lbs of fresh rainier cherries from Murray Family Farms. After two months on the cherries we blended the barrels and force carbonated. Reminiscent of an Old Fashioned, cherry pie, and s'mores.
- Berry Ratio : Measure your profit with Berry Ratio, our Belgian-style dubbel ale fermented with blackberries, blueberries, and raspberries. A complex, rich ledger of sweet & dark specialty malts and caramelized candi sugar unite with a refreshing and tart berry medley to produce this delicious seasonal ale.
- Elm Street Porter : A dark, full-bodied, smooth beer, similar to the famous Anchor Porter of San Fransisco. Made with a blend of 5 different kinds of malted barley and both Perle hops and Cascade hops.
- Wells Banana Bread Beer : Long ago, ale was known as 'liquid bread'. We've used our long history of creating the finest malt blends & added fair-trade bananas to awaken the senses with a seriously fruity, rich, yet surprisingly versatile banana bread beer.
- Harlow : The bolder version of Bombshell (Belgian blond brewed with De Struise). Brightly-fruited & floral; beautifully balanced with biscuity malt sweetness followed by drying hop notes of evergreen, herbs & spice. Fermented in our open fermentation vessel.
- Slam! : Brewed with copious amounts of flaked wheat, and quadruple dry hoped with Citra, Simcoe, El Dorado, and Amarillo. Juicy notes of fresh pressed tropical fruit, ripe apricot, and honeydew.
- Z-Day Cuvee : Blended sour ale brewed with potato flakes with pomegranate, dragon fruit, cherimoya, longan and rambutan added.
- Wintertime Ur-Bock : A malty German-style dark lager with hints of caramel and toast from a base of Munich and Pilsner malts. Our Wintertime Ur-Bock is a delicious interplay of moderate malt sweetness, smooth mouthfeel and light hop aroma from Hallertau Mittelfruh hops.
- Aslin / Southern Grist - Predictable Patterns : Double dry-hopped DIPA brewed in collaboration with Southern Grist Brewing. This beer is hopped with Citra and Moutere and has notes of lychee, lime and passion fruit.
- Comatârs : Comatârs has a dark copper colour and a delicate fruit and floral aroma. It has a lightly toasted flavour that mingles with the aroma of the hops.
- Tilted Earth IPA Series: Autumn IPA : A blend of Amarillo and Simcoe hops give this beer its hoppy backbone, with notes of stone fruit, tangerine, and a lingering woodsy finish. Toasted malts produce a beautiful red color in the glass, a nod to the changing of the leaves. Embrace the season with this Autumn IPA!
- Emmett : Our Dark Belgian Ale is light bodied, brown in color and wafts light aromatics of clove and cardamom, and greets the palate with a bit of Dr. Pepper and orange spice. It's pretty fun.
- Glass Tower Saison : Glass Tower Saison is inspired by one of our favorite breweries, Glazen Toren. The recipe combines two varieties of pilsener malt and two wheat malts, creating subtle grain complexity. Vanguard and columbia hops are used in kettle for herbal/farm notes, and the beer was then dry hopped after open fermentation with lemondrop, yielding a minty edge. The Glass Tower finishes dry with just a bit of bite. 
- Honey Ginger Belgian Tripel : Spicy notes and fruity esters are prominent in this Belgian Triple holiday brew.
- Furlong Bourbon Barrel Aged Imperial Stout : The Furlong is brewed with roasted barley to impart notes of coffee and dark chocolate. RedRock's brewers used rich dark malts for bold flavor and then age it all in freshly used Kentucky Bourbon Barrels for a year.
- Sour Joe : An American sour ale with coffee grown by Jose Wagner. Full bodied and complex, yet bright and refreshing, this collaboration explores a new direction in the marriage of coffee and beer. Aromas of cocoa, molasses, and warm spices with hints of dried fruit, berries, and stone fruit. A clean, tart finish leaves your palate refreshed and ready to explore another sip.
- Double Red : This dark amber ale is our English version of an I.P.A.. We use all English hops which do not have the citrus character of our regular I.P.A. or our Imperial I.P.A.. This beer finishes with a nice, malty flavor.
- Berry Ale : Full-bodied ale with raspberries added in fermentation, amber-light red in colour - a great complexity & delicacy.
- Demise Of Ivan : This complex beer was aged for nine to twelve months in bourbon oak barrels bringing out notes of tobacco, raisins, figs and undertones of dark cherry. Enjoy now or age for several years.
- Rhesus Peanut Butter Chocolate Porter : A classic American Porter with a twist: we added over a pound per barrel each of cocoa nibs and peanut butter. This beer is dark and roast, yet light in body. The dark chocolate and peanut notes build as you drink it and really come to life once it has warmed ever so slightly. While the beer has its inspiration from the land of candy, this is not a sweet dessert beer, it is intended to be a everyday/all night drinker.
- Intensify : Our Belgo-American IPA is bursting with bright citrus and fruity aromas, and intensified with a Belgian yeast strain for new depths of flavor.
- Patsy : We don't care what anyone thinks. The CSB crew unabashedly loves fruit beers. And IPAs. So why not combine a bushel load of peaches and a hazy IPA? Combining a huge dose of Peaches with Caliente & Mandarina Bavaria hops with a straightforward grain bill consisting of flaked oats and Indiana Pilsner malt, this beer overflows with fruitiness!
- Laser Cat : Plenty of dense citrus, tropical fruit, and herbal notes to assault your hop-loving senses. Double dry-hopped with absurd amounts of Citra and Nugget.
- Rum Barrel Aged Union Series 6: Imperial Russian Stout : Our Union Series 6: Imperial Russian Stout. Billed as the first beer in a series of barrel-aged releases available only at Dark Horse Bar & Eatery (St. Paul, MN), this one’s been soaking up American oak and Jamaican rum notes for 90 days. It went in at 10.5% ABV, and we expect it to come out at 11.5% with notes dark fruit, roasted malt, and a hint of mocha coffee, as well as rum.
- Eight & Easy : For our Eighth Anniversary, we wanted to keep it light. You know, keep it easy. We used a Bohemian Lager yeast and fermented it at ale temperatures, dosed on the heavy side of aroma hops, and nurtured this baby diligently for a month and a half. All that work paid off in spades. Generous aromas of Honeycrisp apple, tropical citrus fruit, and pear ride in the captain’s seat, with a straight forward, no nonsense malt bill riding shotgun. Light, dry, crisp, and light on the booze for your drinking pleasure.
- One Hop This Time: Citra : 100% citra-hopped IPA with tons of tropical fruit and candied citrus flavors.
- Le Baltique : This Barrel Aged Baltic style porter is a rich lager. It has very complex, multi-layered flavors including dark cacao, coffee, raisin or black currant, with hints of licorice/anise, and molasses. It was then entombed in a French Oak red wine barrel from CA. Many many moons later we have this splendid sipper.
- Dark Infusion : Formerly Unchained Series Batch No. 23 - Dark Infusión (A Coffee Milk Stout)
- Aji Limo Rojo RA : Distance between friends doesn't matter when two passionate breweries come to the pub armed with serious creativity and a foundation of solid liquid. Darwin Brewing (Bradenton, FL) and Rivertowne Brewing (Pittsburgh, PA) companies are pleased to offer the same recipe brewed as a Lager (DL) and an Ale (RA). Aji Limo Rojo is an incredibly complex Red (Rojo) brewed with eight varieties of malt and sweet-hot Aji Limo peppers from the Amazon. These essentially identical worts were fermented in the north with an Ale yeast and in the south with a Lager yeast. Enjoy each and celebrate the science of brewing and the prosperity of genuine friendship!
- Milkshake IPA - Ramos Gin Fizz : Ramos Gin Fizz Milkshake IPA is the next iteration in our ever-evolving, genre defining, culinary IPA series. Brewed with copious amounts of oats and lactose sugar. Conditioned atop an abundance of luscious Madagascar vanilla beans and a blend of heavy amounts of lemon and lime purées, dried juniper berries, and a heady dash of orange blossom. Fragrant notes of candied meyer lemon, vanilla sorbetto, tart citrus curd, tangerine zest, springtime innocence and heady botanicals. Perhaps the most “complex” of our Milkshake IPA series yet =)
- Skookum Creek Ale : "A great winter offering, Skookum Creek Strong is a medium-bodied strong ale with substantial hop presence. Utilizing seven different specialty malts, along with four hop varieties, this ale provides the malt complexity and hop presence our region of the country is known for. Relax and enjoy some of winter's finest."
- Naked Knees : Inspired by Belgian Saison and German Berliner Weisse. A lightly hoppy ale with a clean sourness. Conditioned over grapefruit flesh and dry hopped with a new hop variety, Hull Melon.
- Hizzoner Maibock : Maibocks are a Bavarian beer style. Bocks are strong German-style lagers and can range from light to dark. Maibocks are typically golden to light amber. They were served in the Spring to celebrate the end of winter. The Bavarian mayor (burgermeister) traditionally taps the first keg. Hizzoner Maibock is a golden full-bodied lager that has been extensively lagered to develop sweetness and crispness of character.
- Sunshine Daydream : Fresh Slice blended with Fresh squeezed grapefruit and clementine juice
- Colón Roja : This is an English style Pale Ale. Hoppy with a slightly fruity aroma, and a reddish color from the combination of caramelized, light & dark malts. Developed with Saaz and Cascade hops.
- 3 Minutes To Midnight - Raspberry : Based on our award-winning recipe that debuted at Cask Days 2012, this smooth elixir is your partner in crime. In second-use cognac barrels (previously housing Bring Out Your Dead), this rich and complex imperial stout gains a complexity that can only come with age, aided by the addition of cherries, raspberries, and cocoa nibs. Deep roasted flavours hint at all the black coffee and dark chocolate you could ever want, and the cherries create a complimentary tartness that marries the fruit and malt perfectly.
- Half-Tanked Hefeweizen : Wheat malt gives this brew a toasted, tangy crispness, while a special yeast imparts fruitiness and spiciness. Served unfiltered with a lemon or orange slice.
- Batch No. 1731 : Batch No. 1731 is a 100% Brettanomyces-fermented hoppy session ale created by homebrewer Kevin Osborne of Los Angeles. When we judged through all of our competition entries, his complex yet quaffable creation shouted WINNER! (as well as tropical!, funky! and dry!). It puts El Dorado, Mosaic and Chinook hops on a pedestal as much as one possibly could.
- Sensible Portions : Other breweries might refer to this standard Double IPA as double dry hopped. We just think it's a sensible amount. Dark, resiny, and full bodied. Full of all of those hops you love.
- Indie Pale Ale : Finally an American IPA from us. This beautiful red-orange ale has a full malty body balanced by a fruity apricot/grapefruit nose. Mounds of dank Summit hops in the whirlpool and dry-hop additions provide a delicious finish to this East meets West-coast ale.
- Smuttynose Gravitation (Big Beer Series) : This big, dark ale is brewed using a variety of Belgian specialty malts along with 200 pounds of raisin puree per batch. The resulting flavor is a viscous mix of dark fruit, rum, toffee and raisins balanced with aromatic fruitiness of the Belgian yeast.
- Lake Trout Stout : Lake Trout Stout is midnight black with a thick and creamy head. It is a full bodied stout brewed with oatmeal and plenty of hops to balance the roasted barley. Our stout is an experience. It tastes the same way it looks - dark and rich. It is named after the famous deep water Sebago Lake Togue or Lake Trout which inhabit the depths of Maine's deepest lake. Enjoy.
- Icelandic White Ale : Our quest was to make the best white ale we ever tasted, with the complex flavors of a classic witbier, all brewed with pure Icelandic water for a cool smoothness that is deliciously refreshing.
- Komes Porter Baltycki : KOMES PORTER reflects the history of brewing, referring to the 18th century tradition of brewing porters in the Baltic states. At their prime, Baltic porters represented one third of the market, which is the best evidence of their popularity. We offer you a well-balanced, dark, strong beer with a distinct flavour. Slow fermentation at low temperatures in open vats, coupled with long (at least 3 months) maturation have resulted in the beer’s character and complete, complex nature. The Porter’s bouquet matures further in the bottle. Time is on its side.
- Farm Tool : Papaya, mango, and, passion fruit saison
- Old HLT : llagash Old HLT is an ale three years in the making. We started by brewing an amber colored beer consisting of Pilsner, Wheat and Munich malts and Belgian candi syrup. We then fermented the beer with our house yeast. After primary fermentation, it was transferred to our old hot liquor (water) tank to age on 2,000 lbs of fresh, tart Montmorency cherries from Michigan for two years. Old HLT was dosed with fresh yeast and sugar at packaging to ensure further complexity and a lively carbonation. The finished beer is a reddish copper hue with an aroma of ripened cherries, spice and a slight nuttiness. The tart cherry flavor is complimented by vanilla and the presence of malt. A sour, dry finish makes this beer refreshing and incredibly drinkable.
- Belgian Dubbel : Our Belgian Dubbel features notes of toasted grain, a hint of banana, and a dark cocoa finish. The body is soft and creamy with a velvety carbonation.
- Finsterschaf : Finsterschaf resembles a British dark ale, but looks can be deceiving. It has a clean lager taste with very mild, bittersweet notes of chocolate, coffee, and vanilla.
- Amsterdam Boneshaker IPA : Hop Heads rejoice! This naturally carbonated, unfiltered I.P.A is loaded with citrus and pine aromas from a continuous hopping technique that our brewers use to create this one of a kind beer. Amarillo hops and a complex malt bill are used to create a balanced body with a large hop character giving way to a unique taste experience.
- Embrace The Funk - Vèrifiez Vos Fruits! : This year's Rare Beer Club/Pints for Prostates beer is Yazoo's Vérifiez Vos Fruits! A donation will be made to Pints for Prostates for every bottle sold. The hefty base beer is somewhere between a tripel and golden strong ale, and its incredibly intricate yeast profile originates from Chimay Saccharomyces and 12 (!) different strains of Brettanomyces, plus souring bacteria and over a year of aging in French oak merlot casks. It was then refermented with cranberries, sweet dark cherries and tart cherries, making this one of the most intriguing beers we have sampled in a long while.
- Thumbprint Wild Sour Ale : Naturally soured by farm valley winds blowing wild yeast into our oak casks. Finally, after a year and a half of patient coaxing Wisconsin dark malts whirl in a kaleidoscope of cedar, caramel and tart green plum exuberance. Available to the exclusive few who travel off the beaten paths, this is authentic Wisconsin sour brown ale. Truly unique this Sour Ale is brewed for those who live on the wild side and is suitable for laying down or consuming immediately, serve at 40 – 45 °F.
- Bru-1 Rebellion : Rebellion was created as a single hop pale ale to showcase the characteristics of new hop varietals and old favorites. Always brewed with the same American and English malts and to the same level of bitterness, the soft malt character allows the unique flavor and aroma of the Bru-1 hops to shine. Developed through Brulott Farms in Yakima Valley, this experimental hop has a pleasant fruity aroma with flavors of pineapple, tropical fruit, and spice.
- Hop Lift : You love big, bold hoppy IPA’s. We get it. We love them, too. That’s why we put 600 pounds of hops in every tank of our Hop Lift IPA. Getting that many hops 40 feet up in the air and into our fermenter is no easy task. But we’re up for it. And when you taste this bold, dry-hopped brew bursting with citrus and passion fruit notes, you’ll be glad we did. How we do it, we’ll never tell. Do you need a hop lift today?
- Harbinger : A clean, balanced wheat ale with mild fruit and spice notes from an abundance of Cascade hops and our house yeast.
- Junkyard Pedigree : Junkyard Pedigree Copper Ale is a wonderfully smooth, yet strong copper ale featuring a complex, nutty-sweetness and an intriguing hop finish. Our modern interpretation of a Rhineland Dopplesticke, this complex beer creates a unique blend of easy-drinking refinement and macho bite.
- Mirth : This bright beer is crafted to provide the right balance of fruity and citrus aromatics, while combining a distinct Belgian yeast character in subtle whispers. The result is a highly sessionable, refreshing beer.
- Barley Wine : The first sip of this brilliant, red-brown beer reveals a robust mouth feel and complex flavors including raisin, dark bread, some sherry flavors sure to increase with age. With the finish comes the flavor of Columbus hops followed by the alcohol warmth that can be felt down your throat.
- Barrelholder Belgian Golden Strong Ale : Our limited release Belgian Golden Strong Ale is crafted to be bright and crisp with a medium body. Lightly fruity and spicy, the ageing in red wine oak barrels has imparted delicate toasted oak and caramel notes. Combined with sweet vanilla overtones and a deceptive 10.6% ABV, the barrel process has added depth and complexity to an already delicious beer.
- King Of The Mountain India Red Ale : This unique style combines the hoppyness of an IPA and the malt complexity of a Irish red ale. The end result has a wonderful citrus blend in aroma and flavor. Smooth bitterness fades to caramel and lightly roasted grains.
- Bourbon Barrel Whiteout Imperial IPA : White Out pours a dark chestnut brown. The khaki head leaves a small soapy lace ring which remains around the top of the beer. The spectacular aroma of buttery caramel malt and bourbon hit you first, followed by a subtle citrus fruit. Smooth bourbon oak and vanilla blend well with the sweet caramel malts. White Out goes down smooth with a slow, lingering bitterness.
- Tanlines : At only 4.7% ABV, this summer ale features the multi-layered complexity you’ve come to expect from Seminar Brewing. A variety of late addition and dry hops creates the bright, fruity and refreshing character beer drinkers look for on a hot summer day.
- Fuzzy Nuggs : This pale ale was brewed with 100% Michigan grown barley and wheat. Also unique to this beer is the fact that it is brewed with 100% Nugget hops. Nuggets are usually used only to add bitterness, however we used them throughout the boil for bitterness, flavor and aroma. The flavor and aroma is described as being green, resiny, herbal and floral. We also get a small fruity character in the front that plays well with the clean malty flavor of the Michigan grown malt.
- Bristlecone Brown Porter : Five different types of Malt are used in brewing our Brown Porter. Low hopping rates help accentuate the roasty, chocolatey malt character of this very drinkable Brown Porter. Don't be afraid of the Dark!!
- Derivation BIPA : Because we never believed only certain yeast strains could make Haze-Style IPAs we wanted to run an experiment and use something that could switch things up a bit. We took our New Money IPA recipe and used Belgian yeast strain. It still has the haze and mouthfeel of New Money but with added fruity esters from the different yeast strain. Hopped with Blanc and Mosaic.
- Golden Ale : Brewed with American two-row malt and caramel malt, our golden ale has a lightly sweet malt quality with a dry, crackery finish. The Chico/California ale yeast we use gives off esters with delicate fruit characteristics, adding complexity in the aroma. American Cascade hops provides a balanced bitterness to this very drinkable beer.
- Island Culture : Our newest mixed fermentation saison! After primary fermentation with 2 strains of sacchromyces and lactobacillus, we inoculated Island Culture with three strains of brettanomyces. The resulting brew is tart, with a sweetness up front and a dry finish. It's immensely fruity with notes of pear, pineapple and a aged earthiness from 2 months in stainless. 
- Something About Berry : A refreshing fruit-packed, crushable sour loaded with Raspberry and Passion fruit on a base of Pale & Extra Pale malts and a tart, acidic finish from Lactobacillus in the kettle.
- Slumbrew Yankee Swap 2013 : You could gift this bottle as a reflection of your fine craft beer taste, drink it now to ease your holiday tension or cellar for the long winter ahead. For our first year of our Yankee Swap beer series, we selected rum barrels from our friends at Turkey Shore Distilleries and dark maple syrup from North Hadley Sugar Shack. This Strong Ale is a big beer with hints of maple and complex notes of oak and rum from the Old Ipswich rum barrels.
- Cadence : Dried fruit notes hints of caramel, brewed with dark belgian candi sugar and figs
- Epiphany : Employing a contingent of white wheat, this medium body Double IPA begins with notes of tangerine and other tropical fruits and finishes with a sweet enough malt character to keep you coming back for more.
- MAX Stout Imperial Stout : Don't let the high ABV fool you - this is one devilishly deceiving beer! This big-bodied bear of a brew features a gargantuan malt bill that culminates in a mystical myriad of flavors, including dark fruit, chocolate, and espresso. This beer is an express train to your pleasure centers!
- Scratch Beer 59 - 2012 (Mighty Moose Mild) : Scratch #59-2012 tackles a tiny beer in bold strokes. Designed by Jeff Musselman, “Mighty Moose Mild” draws inspiration from classic English ales and delivers a delicate session beer. With an earthy amber color, nutty spice notes from Fuggle hops and a damp forest floor yeast finish, Scratch #59 fills us with dreams of spending the day in a low-ceilinged pub throwing darts, eating fresh fish and chips and downing numerous pints. Scratch #59 measures in at 22 IBU’s and 4.7% ABV. On tap only at the brewery. No bottles.
- Dusk Till Dusk : The 2016 release of Dusk till Dusk is a blend of eight hand selected barrels of our most imperial stout aged in a variety of rum and bourbon barrels for 6-18 months. It offers huge aromas of plum, dried fig, cedar box, and dark cocoa. The mouthfeel is ultra silky with flavors of brown sugar, maple syrup, molasses, and dark chocolate. With just enough residual sugar to balance out the higher ABV of 13.8%, it's decadence in a glass. These are some layers that you can really sink your teeth into!
- Saison Nöel – Holiday-Spiced Saison : Aromas of cinnamon, clove and star anise, along with hints of orange peel and fruity saison esters shine in this light holiday ale. The flavor is a medley of the saison yeast character you know and love with festive spices providing a cheerful balance and dry finish.
- Hive 56 : Hive 56 is a dark sour ale aged with honey in an oak foudre for eighteen months. The beer is deep mahogany in color with aromas of strawberries, lemon, and tropical fruit; notes of dark chocolate, raspberries, and figs present themselves upon the first sip, followed by a lingering tartness.
- Paradisaea : Paradisaea is an orange-hued 6.5% saison brewed with four varieties of citrus and lightly dry hopped with Mosaic. It was then aged in wine barrels with our house microflora. The result is fruity, funky, tropical and delicious.
- Natural Selection - Genus 3 : Stock Ale with caramel and brown fruit notes, mingling with roast, chocolate and toast.
- 2AM Bike Ride : Mellor Stout infused with 100lbs of Dark Horse coffee and fresh vanilla beans.
- Naughty Aud : Black as the moonless night, Naughty Aud Imperial Stout boasts a profusion of complexity in flavor and aroma possessed by few other styles of ale. A sturdy crosshatch of molasses, mocha and caramel malt imbued with soft, luminescent aromas of smoked bourbon and vanilla. Illustrated by the renown artist Alan Forbes, this is an unfiltered ale. Please decant slowly and enjoy responsibly.
- Almost Level APA : American pale ale with cascade, centennial and ahtanum hops with grapefruit and citrus character. 
- Wachusett Winter Ale : This savory Scotch Ale has smoked and special malts. Our oldest, strongest, & most complex seasonal ale.
- Mocha Coffee Porter : A full bodied ale, dark brown in color, with a tinge of coffee flavor. Nicely balanced by five malts and a mild hop profile.
- Kulmbacher : A dark amber German lager that originates in the area around Kulmbach, this beer is balanced on the malt side with a dry finish.
- Imperial IPA : We love IPAs. There's no two ways about it. So when we were tasked with designing a new beer for summer, we had to make another IPA. This Imperial IPA is built around things that are close to our hearts. An intentionally simple malt bill provides a blank space for El Dorado, Simcoe and Citra hops to give notes of lemon, citrus, stone fruit, pear and passionfruit. Let this fruit basket be your juice cleanse.
- Golden Ox : A crisp, medium–bodied ale with orchard fruit notes on the nose. Brewed with a blend of Pilsner, Vienna, and Munich malt, this beer balances sweet, malty body with flowery Saaz, Columbus, Chinook hops. Brewed in a Belgian style, this beer is quaffable at any time of year.
- Springboard Pale Ale : Grapefruit infused pale ale. 
- Unicorn Killer Ale : Unicorns are mythical creatures that once defined beauty and grace. Our unicorn is ready to extract revenge for it's fallen brothers. This saison will start spicy and fruity. But over time may take on a more funky life. 
- Heavy Footer : A heavy malt backbone is balanced by an outrageous hop profile. Dry hopped not once, but twice, our double india pale ale exudes flavors and aromas of tropical fruits and citrus.
- Miner Pursuit : A dark grisette with madagascar vanilla & cinnamon.
- A Modest Proposal : Straw color, big nose of grapefruit, tangerine and citrus, strong malt body balanced with aggressive hop additions, rich mouthfeel with medium-dry finish.
- Twisted Zweig: MN Madness : Mango, Guava, Passion fruit
- Cascade Blueberry Ale : This NW style sour ale blends wheat and blond ales that were oak aged in barrels for six months, then additionally aged four months on fresh blueberries. Huge herbal notes of dense blueberries in the nose give way to hints of oak and a dusty floral note. Rich earthy notes of dark fruit on the palate lead to a tart finish that dries out to a base note of blueberry skins.
- Grapefruit Cannon : Loose Cannon IPA w Dried Grapefruit
- Milly's New Hampshire Honey Brown : This medium-brown ale is a low alcohol, moderately bitter brown ale. A variety of sweet dark malts are harmoniously blended with 2-row and Pils malts and a conservative hop schedule to deliver a deliciously refreshing and sessionable brown ale.
- Nootropics : Topical wheat IPA. Brewed with fresh mango, guava, and passion fruit from DeCicco’s Markets and New Zealand Hops. Dry hopped with Mosaic.
- Mill Race Mild : Darkly coloured and rich in appearance, this mild ale is brewed in the traditional style of British mild beers that are disappearing even from the pubs of London, England.
- Nightmare On Brett (Aged In Red Wine Casks) : For the fourth batch of Nightmare on Brett (9.666% ABV), we aged our Dark base beer in a large oak foeder and later in Red wine casks for 12+ months with our mixed culture of wild yeast and bacteria.
- Christine Celis Gypsy Dubbel Coffee Porter : Christine Celis, daughter of world-renowned belgian brewmaster Pierre Celis, along with Uncle Billy's brewery and Austin Java, introduce the world's first dubbel coffee porter. true to the gypsy tradition, this unique beer is crafted in small batches that will last only a short while. This beautifully rich beer features dark caramel malt and a distinctly belgian dubbel yeast. The effect is a robust yet smooth, deep chestnut-colored porter with demure chocolate undertones from the infusion of organic, cold-pressed Guatemalan and peruvian coffees.
- Progenitor NOIR : In February 2015, Crooked Stave released Progenitor, a 6.2% ABV dry-hopped Golden Sour Ale. Progenitor NOIR is a little bit of a different take, using dark malts to create a "Dark IPA," for lack of a better term, while still being primary fermented with Crooked Stave’s mixed culture of wild yeast and bacteria.
- Stone / Aisha Tyler - Stone Cold Fox : Stone's collaboration with Aisha Tyler for Hop*Con 3.0. Black IPA with chocolate and orange. A wonderful dark, citrus flavor!
- Collaborale : The recipe for this beer was designed by 6 brewmasters from N.H.'s brewpubs. Our interpretation is a dark ale with lots of roasted malt and toffee, balanced by hop aromatics and a subtle bite. Look for other version at brewpubs around the state! - Greg
- Single Hop IPA (Vic Secret) : Vic Secret IPA is a single hop IPA brewed with Australian grown Vic Secret hops. The extremely high oil content in this new hop varietal produces a broad range of bold flavors. From passionfruit, pineapple, pine resin, and herbal.
- Devil's Due Bourbon Barrel Stout (Retribution Blended with Devil's Milk) : The perfect balance of Retribution Imperial Stout and Devil’s Milk Barleywine, Devil’s Due is black, full-bodied, and smoothly drinkable. Its seductive swirl of dark chocolate, coffee, smoky malt, and citrus fruit flavors, infused with notes of charred oak, vanilla and caramelized sugar, disguises a strong, warming alcohol presence (11% abv) that reminds those who dance with the Devil that eventually, a price will be paid.
- Devil's Burden : Delicately complex with an understated spice of rye that gives this roggenbier its vermilion color. The Devil unleashes his burden with a smack of Cascade hops that gives you an enticing citrus/floral nose, but then makes you succumb with its malty backbone and sharp rye zip.
- Poterie : Poterie is French for “pottery”, the traditional eight-year anniversary gift. Our eighth anniversary ale, Poterie, follows in the footsteps of our anniversary releases before it, which are loosely based on an English-style old ale, fermented with our house yeast strain and then blended using the solera method. This means that a portion of each anniversary ale is saved in oak barrels and blended in with the next year’s production, providing more complexity and depth of character as the years go by. The result is layered in robust and complex flavors of toffee, caramel, dark fruit, vanilla and oak. Poterie will age gracefully for decades when cellared properly.
- Barba Pale Ale : Barba is Pale Ale type of beer, coming out of first Craft Brewery in Split. It is moderately hopped with Cascade, Columbus, Mosaic & Simcoe hops. Each hop is carefully balanced to offer blend of floral, grapefruit, piney and citrusy aromas. Light sweet body, along with mild hoppy bitterness, create refreshing zesty ale ideal first beer if you are getting into craft beers.
- Citrus IPA : In this day and age, there are seemingly infinite varieties of flavor compounds and aromatic properties available in the different breeds of hops that exist. Among them all, there is an undeniable “profile” that sticks out as most desirable by American IPA drinkers; that of the Citrusy hops of Washington and Oregon. “Citrus” is certainly not our only IPA… but it was our first, and we wanted to make a statement. We at Funk Brewing Company believe in balance, complexity, and artistic brewing instead of “extreme beers”. That’s why we sought out to synthesize a beer that was masterfully crafted to accentuate a massive American Citrus hop profile while retaining our standards for balance, and sophistication. Through various test batches, water profile manipulation, and uncommon hopping techniques, we found a way to offer you what we feel is the epitome of the American Citrus hop in a glass. The utilization of Citra, Simcoe, Mosaic, and an experimental hop we like to call “LemonBomb”, give “Citrus” huge flavors and aromas of grapefruit, blood orange, pine, passionfruit, mango, and pink guava, balanced by a clean malt bill of Belgium’s finest pilsner malt and our neutral American yeast. This will forever and always be our go-to IPA and we hope it becomes yours as well.
- Going Steady IPA : Grapefruit Session Ale
- Raised Eyebrows : This beer utilizes Passionfruit and guavas from our tree in the parking lot. 30% is aged in red wine barrels and 70% is aged in stainless steel. The beer is fermented with our house cultures that contain lactobacillus, pediococcus, and brettanomyces. The exotic, ripe qualities of the unique fruit comes through as refreshingly zippy, aromatic, funky, and fun!
- Dunkel : The traditional easy drinking, malt-balanced brown lager style of Munich. Dark copper with complex, deeply bready-toasty aroma and flavor and hints of nut and chocolate produced from an extended kettle boil.
- Crossroads : This Mosaic & Amarillo hopped IPA has a grassy aroma with a stone fruit forward and soft body. A mellow and highly drinkable hazy IPA.
- Amber : Light & refreshing amber hued ale with a fruity aroma and a sweet malty finish.
- Bellwoods / Four Winds - Psidiumism : This is our first collaboration with our friends from Four Winds Brewery (Delta, BC). The fruit pale ale was salted, fermented on a hefty portion of pink guava, and heavily dry hopped with Citra and Ekuanot. The resulting beer has an outstanding fruit aroma of guava with a finishing hoppy bite, and light but lasting salt profile.
- Category 5 IPA - Grapefruit : Our award winning imperial IPA gets even better with the addition of Florida grapefruit peel. Enjoy the great flavors of citrus-heavy hops with some intense pithy bitterness from the use of fresh peel from Indian River County, Florida.
- Squatters Holiday Nut Brown Ale : Brewed to celebrate our first Christmas in 1989. "NBA" is a medium bodied American brown ale, with a light hop aroma, deep rich color and nutty finish. In the U.K. brown ale is generally a bottled product, although some cask-conditioned versions may be found. There are three main types of brown ales: English northern, English southern and American brown ale. Squatters NBA represents the American brown ale style. This style if typically reddish-brown in color, moderately bitter, and the aroma is derived from American hops. Additionally, a nutty, malty caramel sweetness is present. Although maltiness is the dominant flavor and contributes some sweetness, a medium level of bitterness is there to create balance. Pete's Wicked Ale is one of the most well known examples of this style. Before the development of porter, brown ale or a wild ale were combined with a stale beer (waste was not a consideration) and a pale ale and called "threeheads". This beer was consumed mainly by the working class.
- Revivale : Revivale is a premium, all natural lagered ale, small batch brewed in Toronto inspired by a specialty beer style from Cologne, Germany. Revivale is top fermented using a rare yeast and cold aged producing a smooth, balanced flavor profile with refined hop, malt, and fruit notes. Our golden lagered ale delivers a crisp refreshing finish.
- One Night In Grenada : Kettle Soured Berliner Weisse lightly hopped with tropical Azacca hops and additions of Pomegranate puree. Crisp and mildly tart with a pleasing fruit-forward finish.
- Scratch Beer 223 - 2016 (Pale Ale - Idaho 7) : With Scratch #223, we’re continuing our exploration of Pale Ales brewed with a single experimental hop variety. Idaho ranks third in U.S. hop production (behind Oregon and Washington), accounting for approximately 10% of the country’s total hop yield. With almost 5,000 acres of land devoted to hops, Idaho farmers have their fair share of experimenting with varieties too. The recently developed Idaho 7 hop variety features a mild aroma of orange and apricot with hints of black tea leaves. Fruity flavors reminiscent of melon and peach develop, followed by a dry, peppery finish.
- Malus Pi (Crab Apple Pie) : a different take on the sun king crab apple wit, brewed with oats, cinnamon, and locally grown crab apple juice from fruit loop acres.
- The Farthest Shore : A big, but smooth traditional Belgian Dark Strong. Watch this one - packs a smart wallop.
- Ramblin' Man : Ramblin' Man is a collaboration with Liquid Mechanics Brewing Company. It is a strong black Saison brewed with pilsner malt, oats, and 3 types of wheat malt including black wheat malt. The beer was lightly kettle soured to a pH of 3.75 before boiling and was whirlpool hopped with Simcoe, Galaxy and Citra. A Brettanomyces fermentation, combined with a heavy handed dose of Citra, Mosaic and El Dorado in the dry hop contribute tropical fruit and funk. It comes in at 8.0% ABV and 49 IBU.
- Markt : Unfiltered Saison brewed with continental malts, dark candi sugar, European hops and our house blend of Saison yeasts. This dark golden hued Saison has hints of dark cherry and plum in the background that are balanced by flavors of toasted bread, a bright citrus nose and clean, dry finish.
- Sanitas Black IPA : A dark India Pale Ale packed with dank, resinous hops. The addition of de-bittered black malt creates a captivating dark color while crystal malt adds caramel-like flavors. Our flagship Black IPA delivers a sharp uppercut of citrusy, piney hop character with a subtle roast note in the finish. This beer is brewed entirely with organic malts.
- Tombstone Brewing Double IPA : This is our IPA’s big brother in almost every way. We took everything you loved about our IPA and took it to the extreme. Hazy, bursting with tropical and citrusy hop flavor and aroma, and with a luscious, creamy mouthfeel, it’s a big beer that’s complex yet approachable.
- 2014 Owens Valley Wet Harvest Ale : The end of August marks the beginning of Fall in the High Sierra and with the cold nights comes Harvest time. Owens Valley Black IPA is our original harvest beer using fresh wet Cascade hops from local hop farmers Banner Springs Ranch. THese hops come straight from the fields and go into the kettle within 24 hours, keeping all the lovely hop oils pristine and intact for your enjoyment. Brewed with Dark malts and tons of hops, OVWH is a hearty beer perfect for fall barbecues.
- Glacier Select : One of the first things you notice about our Glacier Select Oktoberfest is the beautiful dark copper-amber color. Next, you enjoy the subtle aroma of Noble German hops. Finally, a complicated but balanced malt and hop mouthfeel.
- Schlafly Porter : Our Porter is a dark ale with a mild roasted character and a distinct sweetness from caramel malt. This medium-bodied porter has a velvety body with Pilgrim hops adding a subtle bitterness and East Kent Goldings hops adding aroma and flavor. The English yeast helps showcase all of these flavors in this traditional British-style porter.
- Dry Irish Stout : Flavours of dark coffee and toast with a balancing bitterness. Lightly carbonated with very smooth texture and dry finish.
- Flynn's Irish Red : This beer makes its appearance around one of Rolla's more unique holiday celebrations, St Patrick's Day. An instant success during this celebration our Irish Red is a moderately malt forward ale with a deep red color. Low in hop aroma with a nutty almost toffee-like fragrance, this is one of our more anticipated releases of the year.
- Rocktober Blood : Bloody IPA brewed with barley, red wheat, Munich and lactose. Solely hopped in the kettle with beta hop oils along with hibiscus and coconut oil. Aggressively dry hopped with Citra, Mosaic and more Hibiscus. Notes of fruit punch, tropical beaches, pina colada slushees, and ripe mango.
- Bad MF'er Black Rye IPA : This brainchild of our brewers, Steve and David, is a big IPA brewed with Munich, carafa, and rye malts, then hopped with Cascade, and dry-hopped with 2 lbs per barrel of Simcoe. Dark, malty, strong, and complex with a huge hop aroma.
- Chocolate Cherry Lovely : Dark Sour Conditioned on Cocoa Nibs, Cinnamon and Cherries 
- Bayou Bock : This full-bodied lager is our interpretation of a classic Bavarian Heller Maiboch, a style known for its well balanced, easy-drinking character. Distinguished by its rich medium-to-dark golden color, sweet, malty aroma, and delicate, flowery hop finish, Bayou Bock makes for a perfect accompaniment to a wide range of cuisine.
- GINtrification : Gin botanical spiced Wheat Ale with juniper berry, rose hips, mint, orange and grapefruit
- The Toast Of Pithole : The Toast of Pithole is a Kolsch, originated in Cologne, Germany. It has a bright yellow hue, and prominent but not extreme hoppiness. The big difference with this beer is that it is not a lager. It is top fermented and is an ale. It is not as hoppy as a Pilsner, but does resemble it in appearance. It gently fruitier and a little sweeter often with a little biscuitiness.
- Smell The Colors : Hopped intensely with Citra as well as smaller amounts of Simcoe and Amarillo. This is classic west coast IPA with big notes of pineapple, orange, and stonefruit. 
- Rockability : Rockability is a session IPA brewed with 3 different hop varieties. An easy drinking beer that still has lots of fruity hop flavor.
- D2H3 - Galaxy : This iteration of D2H3 was double dry hopped with the beautiful Australian hop, Galaxy. Full of ripe melon and intense grapefruity zest.
- Brainstorm : Brainstorm is a strong dark IPA, with fine smoky and fruity flavors. A fresh and well balanced hops aroma completes this brainstorming beer.
- When Life Gives You Grapefruit : Blend of wine barrel aged saisons with zest and juice from grapefruit
- Baron Von Watermelon : Watermelon fruited quick sour ale
- St-Ambroise IPA Pamplemousse : Here’s our St-Ambroise Grapefruit IPA! It takes the IPA to the next level with its delicious blend of malt, hops and yes, grapefruit! This refreshing well hopped unfiltered beer offers a wonderful combination of citrusy flavours and aromas. Try one today and enjoy the next generation of IPA!
- Ghost Bridge Imperial Stout : Intense, black ale with a rich, fruity nose. Aromas of black currant, prune, and coffee. Rich, smooth body with a sweet malt palate, fruity, toffee, and coffee-like flavors and a balanced finish. A bold, rich ale for sipping and savoring. Brewed with a blend of American, British and German malts, Apollo hops and a classic British ale yeast. 22 degrees Plato, 8.1% ABV, 60 IBU
- Oatmeal Pale Ale : An American Pale Ale made silky smooth by the use of oats. Columbus hops create a piney, sticky foundation that is rounded out by our homemade oatmeal. After several additions and multiple dry hops of Cascade, Simcoe and Chinook, this OPA becomes a complex, full-bodied delight. To accentuate the silky body, this beer is presented unfined with an orange haze we think serves highlight the interesting contribution of the oats.
- Schwarzbier : Schwarzbier is a traditional dark lager. We use German Munich and Pilsner malts to create rich flavors, including coffee and cocoa.
- Shock Top Raspberry Wheat : Raspberry Wheat delivers the same smooth taste of Shock Top, with a hint of raspberry flavor. This traditional Belgian-style wheat ale is brewed with essence of wild raspberry and hand-selected hops. It’s this combination that gives it its crisp and distinctive Shock Top taste, with its own flavorful twist. This unfiltered ale has a light-golden color and a smooth finish, and if you’re curious, it technically doesn’t, not count toward your daily fruit intake.
- Oatmeal Porter : All the dark chocolate and coffee notes you expect from a porter with locally sourced, rolled oats delivering an uncommonly silky smooth finish.
- Nightmare on Brett Sour Cherry-Woodford Reserve Double Barrel : Dark Sour Ale Double Barrel Aged in Woodford Reserve Bourbon Barrels with Colorado Sour Cherries
- Crabapple Sour : Our first in what will hopefully be many, many fruitful collaborations between the brewers and kitchen staff here at Bellwoods Brewery, this light kettle sour beer was conditioned on 600lb of locally sourced crabapples provided by ‘100km foods inc.’ Huge aromas and flavours of crabapple jelly dominate this infinitely crushable brew.
- Dry Hopped Berliner Weisse : Dry Hopped Berliner Weisse is a straightforward open fermented brew that's nicely balanced with only moderate acidity. The addition of opal, willamette, and an experimental hop variety lends the beer an interesting nose with apple and jackfruit showing alongside floral notes. The jackfruit character carries into the flavor which finishes with a bit of wood and pine coming from that experimental hop.
- Ill-Tempered Gnome : This American Brown Ale is an Oakshire original. Dark malts combine with resinous hops in the Winter Ale to soothe your ill tempered gnome.
- Abbey Dubbel : Brewed in the style of a Belgian monastery. This mahogany ale has the sweetness of dark Belgian candi sugar paired with a distinct aroma of plum and pears.
- Hopperation: Black Hops : Hopperation: Black Hops is a smooth Session style IPA. It has a rich dark black color and a smooth slightly hoppy taste.
- Black Hearted Mary : A cocoa-infused, dark-roast malt bomb finished with Malabar coffee beans.
- Hopnotize : This sunny IPA was designed as the summer edition for Bailey’s Taproom’s Hausbier program. Its generous hopping with a captivating blend of citrusy varietals imparts notes of lemon, lime, tangerine, and grapefruit. A unique Pilsner-based grist makeup and fermentation with English ale yeast combine to contribute a crisp, drying mouthfeel with just enough body to round out this bright, refreshing IPA.
- Pecan Dream : We don’t blame you if you don’t believe us, but this beer was born in a dream. Sean arrived at the brewery one day, having woken from a dream where we brewed two beers. One was made with boiled peanuts, and the other with pecans. For logistical reasons, among others, we decided we had to make with ones with pecans. After sourcing 150 lbs of them, we split them up amongst ourselves, roasting every last nut in our respective home ovens. 5 pounds of those home-roasted pecans were added per barrel of this American brown ale, imparting a great nutty nose that presents itself more as the beer warms up.
- Pale Ale : Clear and copper coloured, it is fruity on the palate and hearty in hops with a nice, round finish. We are honoured that Pale Ale continues to be BC’s most popular craft brew.
- Hot Toddy : Mixed culture farmhouse ale aged in American oak bourbon barrels with lemon zest and ginger. This dry and complex ale is inspired by a popular cold remedy that includes hot ginger tea, bourbon, and a squeeze and lemon - sometimes referred to as a Hot Toddy.
- Double Vision : "Brilliant deep reddish in color with a moderately strong malty complex taste. It has malty nutty flavor with a fruity aroma."
- Saison De Groton : Summer is here, and Outer Light is bringing the heat. Saison de Groton, our newest farmhouse ale, is a bready, fruity saison influenced by the culinary work of our neighbor to the south, Mexico. Saison de Groton features hibiscus flowers, limes, and just enough ancho chiles to give this beer a lightly smoky kick. "Hecho in Groton."
- [BANISHED] Freakcake #4 - Naked No Fruit : 169 bottles released. Fruitcake foundation beer, roasted Belgian aromatic malts, lemon and orange zest. Secondary fermentation with brettanomyces. Aged 6 months in bourbon barrels.
- Fated Farmer: Blackberry : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: Build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel fermented in 500L puncheons with our Native New England Wild Culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- G-d's Flesh : A blend of a 100% Brett barrel-aged IPA and a hazy northeastern-style IPA. Dry hopped with Simcoe, Amarillo, Wai-ti and Motueka hops, this IPA features intense stone-fruit and funky aromas.
- Razz XXXMas Triple Bock : A high gravity triple bock finished with a second pitching of ale yeast and red raspberries. Crisp lager notes blended with big raspberry flavor. Dark ruby color. Served in a snifter.
- Brewship Belgium : The candy-like sweetness in this beer envelops the palate. The specialty Belgian yeast adds a light fruitiness that enhances the toasted malts in the beer. Notice the slight change in character as this beer warms, releasing an additional layer of complexity as hints of raisins and dried cherry shine through.
- Blackfin : Also known as a Cascadian Dark Ale (CDA) or a India Black Ale (IBA), Black IPA’s are fairly new to arrive in the craft beer scene over the last few years. They are balanced between the flavors of Northwest hops, bitterness, caramel and roasted or chocolate malts. Blackfin is our take on the style, which also includes a dose of rye malt for additional intricacy.
- Patrice Saville : Yakima grown Sterling hops give this refreshing pilsner a spicy and earthy hop aroma. Malt character is accentuated by a German Lager Yeast that ferments dry but round and complex.
- Independence : Our distinctive American Pale Ale is full of big hop character but without the strong bitterness. Carefully selected American hops are added continuously during the boil, and also during conditioning (dry hopping) to give a really fresh aromatic boost. This beer is mainly about hops but we have given it a malt backbone to balance the beautiful tropical fruit aromas.
- Galaxy + Moutere : Galaxy + Moutere Imperial IPA (8.5%) another in our dual hop series brings two Southern Hemisphere hops together. Galaxy, an old favorite, and Moutere, a new New Zealand variety with passion fruit and citrus character.
- American Harvest IPA : This classic American India Pale Ale has a touch of rye malt to enhance the malt character, and a high bitterness from the use of Simcoe hops. Look for piney and fruity notes from huge amounts of both Simcoe & Galaxy used for dry-hopping.
- Behemoth Blonde Barleywine : A huge, sweet Barley Wine with complex caramel malt notes, balanced by generous hopping and a high alcohol content. This fruity and malty beer is best enjoyed while keeping warm in the brutal winter months.
- News From Nowhere : New from Nowhere is our red wine barrel-aged Flanders Red. The aroma is bright with cherries, vanilla, & funk. The flavor starts out with raspberry, strawberry, and oak, quickly followed by a puckering sourness, and a long, red fruit-drenched finish. A bit lighter in body & tarter than Empty Hats, News From Nowhere is intense while offering a nuanced array of flavors.
- McGavins Plaid Monkey : MPM was crafted in the prideful tradition of the Scottish Ale. We mashed at a higher temperature to gain a fuller body by building more dextrin in the wort and the extended boil created a greater caramelization character. MPM is our ode to tradition and our 80 Schilling Scottish Ale has rich aromas of toffee and caramel with the lowest lying esthers of fruit (from the UK Yeast). With a short lagering (cold-conditioning) stage we were able to let the flavors develop. MPM is lightly hopped so the hop aroma and flavor is subdued as the malt is at the forefront with a medium-high mouthfeel and a wonderful melanoidin richness on the palate with just the faintest hint of sweet smoke.
- Seis Exi Six : Brewed with oats and a vast array of dark malts, lactose and a dash of sea salt. Conditioned atop cocoa nibs. Brewed to celebrate the sixth anniversary of Artisan Homebrew in Downtown, PA.
- Jungle Boogie : Jungle Boogie is an American Wheat beer with just enough complex malt character to balance the hops and fruity rooibos tea flavors.
- Double Dry-Hopped Citra-Hero : Citra-Hero is amping up the intensity with a new concept suit fueled by the dynamic Type-45 Citra hop. Reduced plant matter triggers more essential hop oils, further accelerating her citrusy impact. Two rounds of dry hops unleash a staggering 5 pounds of Citra, Simcoe, and Kohatu per barrel, triggering an explosive amount of melon, berry, and tropical fruit flavors.
- Collective Blend : Collective Blend is our Blended Barrel-Aged Sour. This beer incorporates French Oak puncheons previously used in the Central coast of California for wines with Rhône type of varietals (such as Syrah or Grenache). Expect the grapefruit & funk character to be out front with subtle wet wood & citrus peel bitterness.
- Posi-Vibes : Around here, we’re really into positive vibrations. Our latest IPA is brewed with some positively juicy-fruit hops, hugs, rainbows streaming forth from spongebob’s eyeballs, 100% Posi-Vibes, and giggles from a tickle fight. Don’t harsh our vibes.
- Luponic Distortion: Revolution No. 004 : Firestone Walker’s Luponic Distortion revolving hop series reaches firmly into the Southern Hemisphere with the release of Revolution No. 004 this month—a mind-bending mix of seven different hop varieties, led by a pair of experimental South African hops. Four South African hops take the lead in Revolution 004. Two are experimental hops with pronounced tropical fruit qualities, along with distinct white grape and floral notes. The third hop presents a lively passion fruit character, while the fourth is more classically noble in profile.
- From The Hip : From the Hip is a refreshingly complex Belgian-style strong ale brewed with rose hips. It pours a hazy, glowing golden color with a fluffy, white head. The aroma entices with light perfume-like floral notes, to be followed by balanced flavors redolent of citrus, spice, and honey. The grist is 1/3 malted wheat, lending plush mouthfeel.
- Edge / Lervig Brewing - Pure Decadence : Originally brewed in collaboration with our friends at Lervig, this opulent Russian Imperial Stout is smooth as silk while remaining complex in flavor and rich in body. Notes of espresso, chocolate, dark toffee and hints of molasses come together to create a soft dryness, making this a truly decadent experience.
- Pride & Purpose : We are pleased to introduce a new occasional offering in the Tree House Pale Ale line-up: Pride & Purpose! As we marvel at the land in Charlton being transformed from a brushy landscape into a space of future identity and creativity for Tree House, we find ourselves imagining the type of beers we’d like to enjoy after a hard shift on the mezzanine overlooking the new brewery. To that end, Pride & Purpose is crafted to be a soft, juicy, low alcohol offering that exhibits balance, hop saturation, and an appropriate bitterness to entice your next sip. Brewed simply with pale malt, Galaxy hops, and a hint of Citra, we taste flavors of pineapple, orange, and passionfruit with a grapefruit pith finish. A medium body and hints of doughy malt provide balance and elegance. This is a simple beer that reinforces an ongoing sense of focus and intent, and serves as an acknowledgement that without your support none of this would be possible.
- Flower Power India Pale Ale : Enjoy the clover honey hue and tropical nose. Simultaneously punchy and soothing with a big body and a finish that boasts pineapple and grapefruit. Flower Power is hopped and dry-hopped five different times throughout the brewing and fermentation process.
- Bitter Creek Coal Porter : A little less beer than "Bob." This beer is not quite as dark. It has a slight roasted flavor from the chocolate malt. The hop flavor is clean. It is a good beer to turn you towards the dark side...of beer.
- Juicebox : Pure tropical, fruity pleasure in a glass. Fresh orange zest and heaps of extremely aromatic hops give this beer bright, intense flavour of mango, papaya and bitter orange. A restrained yet present bitterness makes you want that next sip, the next one, and the one after that. Hoppy, zesty, refreshing.
- Wandering Rocks : Farmhouse Dubbel. This is a strong dark ale brewed with our foraged yeast and lots of dark candy sugar. Notes of plums, prunes, burnt sugar, fried bananas, anise, and pepper.
- Pendragon : A new offering from Excalibur Brewing, an American twist on the Pale Ale with a well-balance malt and hop profile. Hop flavor is somewhat citrus, like grapefruit and lemon.
- Irish Red Ale : This malt forward ale has a dark amber hue from small additions of caramel and roasted barley malts complimenting it’s English base malt flavors. Light hop additions keep the focus of this Irish ale on the malt profile. Fermented at cooler temps with a British ale yeast, the esters are very mild and allow the characteristics of the malt to shine.
- Bon Bon 2X TNT IIPA : IF YOU WANT MORE HOPS, YOU GOT IT! So it seems there are quite a few fans of our “BON” TNTPA out there (ourselves included). So why not make it a whole lotta BON with an Imperial version? Well that’s just what we did – Smooth gentle and soft light malt gives way to a massive and unique bright citrus / juicy tropical + stone fruit signature that overwhelms the palette, but finishes dry and pleasingly.
- Guava Pale Ale : Guava Pale Ale is a combination of two awesome things, Guava and beer! The backbone is a Citra-hopped pale ale rounded out by the tart sweetness of the tropical fruit.
- AAAlterrr Ego : AAAlterrr Ego is a rendition of Alter Ego that utilizes additional kettle and dry hops to amplify and intensify the flavor profile of Alter Ego! Further, we alter the base beer in many ways throughout the brewing process to accept the additional hop charges. The result here is one that is exceptionally fruity and delicious. Layers of tropical fruit, mango, and stone fruit are presented here with a freshness and purity that is genuinely unique and exciting to our palate! We are in love with this beer
- Westoek X : Assignment by John Vanloo of San Francisco-based Waterloo Beverages LLC to develop & manufacture the Westoek Ale – 6% ABV at & by the Deca Brewery. As this was a very complex recipe to deal with, Deca asked Urbain Coutteau, brew master at Struise to collaborate on this project. 4 grain Blond dry triple ale married to a soft English bitter. Urbain’s Magnum hops for bittering, Styrian Goldings for different aroma hop gifts in the boil, late boil & flame out, Hallertauer Mittelfrueh for dry hopping.
- White Pine Wheat : This is a pale, fruity, somewhat spicy, refreshing wheat-based ale. While some beers may be described as being “malt” or “hop” forward, this traditional wheat-based ale originating in Southern Germany has an estery flavor profile derived from the yeast. Banana, vanilla and some hints of clove define the character of this Bavarian-style wheat ale with a zesty, refreshing finish.
- Colossus High Gravity Hybrid : Brewed in 2006, 2011, and again in 2014 to push the limits of our own skills and imagination, Colossus is dark amber in color and full-bodied with a perceptively sweet flavor profile accented by notes of apple, and a surprisingly tame alcohol presence on the palate in light of its staggering 17.3% abv. This astounding alcohol content is achieved through fermentation alone; no alcohol is introduced at packaging nor it distilled. Multiple grains are used in conjunction with three different yeast strains to produce a beer that simply defies classification… and most laws of nature. One sip of this behemoth brew and you’ll agree: Sometimes size does matter!
- Peach Lambic : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Skinny Dip : Skinny Dip is a full-bodied, figure-friendly tribute to the lightly attired summer months. This guilt-free lager’s frisky character and sunny flavor make it the perfect choice for kick-starting seductive summer fun. Lively Cascade hops and complementary peaches brighten a wash of bready malts with sunny citrus flavor and a slight fruity pucker, creating a crisp sip as invigorating as a frothy dip in a mountain pond. Shed your inhibitions this season and take the plunge: Grab a friend, go bottoms up, and share a Skinny Dip.
- 4² (Four Squared) : Originally brewed to celebrate the brewery’s 16th anniversary, and wildly popular as a seasonal release, Four Squared lives on in our year round lineup to quench the thirst of both the hop beginners and the most ardent hop heads. Lighter bodied and not too bitter, the balance of Four Squared leans heavily towards its dry hop component, a combination of Crystal, Amarillo and Mosaic hops that brings a brightness to the hop flavor and won't weigh you down. Save the resin and dank for your IPA, this beer is all about the tropical, juicy citrus that grabs you from the first sip. Dry and refreshing, bright and fruity, Four Squared keeps you coming back for more.
- Les Ronces : Loosely translated as "The Brambles", Les Ronces is rooted in Southern California charm. The juicy fruit was commercially brought to life near Bruery Terreux at Knott's farm in Buena Park, California in the early 1930s. Since their peak in popularity, the berries have become more scarce and elusive, and at the same time, an ideal cohort for our wildly traditional bière. In Les Ronces, the boysenberries impart a reddish-purple hue to the oak-aged ale, with their sweet-tart flavor profile complementing the sour blonde base in a light jammy, puckering and refreshing fashion.
- Capulus : This dark ale was aged in neutral oak barrels for 12 months and then aged on Coffee from our friends at StringBean Coffee. Tart, Earthy, Coffee.
- Embrace The Funk - Deux Rouges : A marriage of two reds – we present our flanders red, a dark ruby ale fermented with wild yeasts and souring bacteria, evolving for over a year in freshly emptied merlot barrels.
- Saison : French farmhouse ale brewed with German Pilsner and wheat malt, finished with French Strizzelspalt hops. The Saison drinks smooth with hints of clove, floral, fruit, and spice finishing dry.
- The New Dammed! : The NEW Dammed! Yes we changed our beloved Double IPA. It was not an easy decision; we weren't happy about, least of all, Troy. But "the times they are a changing", and so must we. Rather than scrap an old friend, Troy gave her an upgrade. The slightly sweet malty flavor of the Dammed has been replaced by the complex tropical aromas and citrus flavors of Mosaic Hops. Turns out, we absolutely love it. We think it's amazing, we hope you do too! The Gimp's still got it! This is my new favorite.
- Dubbelganger : A rich, dark beer with flavor notes of raisins, plums, and currants aged in bourbon barrels for three months.
- Branch Bridge : Branch Bridge is our unfiltered American Oat Pale. Brewed with loads of Columbus, Centennial, Chinook and Mosaic hops. It pours a hazy light orange, with a bright tropical fruit nose. Medium bodied, bright, citrusy and delicious. 
- Gowanus Gold : Lime, Star Fruit, Aromatic, Ebullient. Dry-Hopped Lager w/ Anson Mills Carolina Gold Rice.
- Zythos : Zythos is as grandiose as its name sounds. Slightly sweet malt backbone with juicy tropical fruit, notes of mango and pineapple with citrus and a hint of piney flavors. At 8.9%, this is a big double without an overly alcohol aroma or taste.
- Curiosity Twenty Three : This particular hop exploration combines Galaxy and Amarillo hops to produce a beer that is wholly unique yet distinctively Tree House. Twenty Three pours a beautiful hazy yellow in the glass and produces a fluffy white head. The palate presents with pineapple, tangerine, and grapefruit punctuated by a finish we think tastes like apricots - a truly surprising and delightful result! We are excited to share it with you!
- Tangy Zizzle : El Dorado and Simcoe hops are featured in this classic American Pale Ale. Strong notes of candy, stone fruit, pine, and citrus are present.
- Aloha Citra (The Hop Freshener Series) : Citra, the name just screams fresh fruit from your neighbor's backyard. Maybe it's grapefruit? Or perhaps they have one of those mandarin orange trees. Of course, you might be thinking fresh squeezed lemonade. Any way you slice it, aloha means hello and goodbye. So Aloha Citra...
- Calleigh’s Irish Stout : Calleigh’s is a classic dry Irish stout made to drink all afternoon. One sip will reveal light pale ale flavors with just a hint of caramel. The black malt adds a dark color and a slight aroma of coffee. Finished with a blend of American and British hops, you have a stout that is crisp and easy to drink. Calleigh’s is truly a light beer, only dark!
- 8 Days A Week : The only way to describe this beer is Infinitely Drinkable. This is smooth liquid refreshment with a hint of Centennial hops for fruity notes and low bitterness for an easy finish. Available on draught and in 8 packs of 12oz cans, yep that’s right 8 cans, because when a beer is Infinitely Drinkable, six just isn’t enough!
- Sleepless City - Coffee, Cocoa Nibs And Vanilla Beans : Sleepless City is a brown ale loaded with our house roasted Cloud Ripper Autumn Blend coffee and lovingly spiced with vanilla beans and cocoa nibs. The base brown ale is super tasty in its own right, with prominent notes of toast, chocolate, and fresh bread. The coffee and spice additions take this delicious profile to decadent new heights, delivering a harmonious union of flavors that is rich, complex, and exquisitely balanced in an enormously successful combination of meticulously selected ingredients, and you're totally about to drink it. Get psyched.
- Wild Oats Series No. 31 Wag The Wolf : Wag the Wolf is a weissbier (wheat beer) that has been generously “late-addition” hopped with organic New Zealand varieties to provide abundant aromas of citrus and tropical fruit. Fermented with a traditional Hefeweizen yeast, expect pleasant fruit and spice flavours with a restrained bitterness on the finish.
- True North Cream Ale : An ultra-premium, all-malt Cream Ale at 5% alc./vol. Mid-gold colour with a fresh, bread-like malt nose enhanced by fruity hop aromatics. Flavours of fresh malt, subtle sweetness, floral hops and pleasant ale fruitiness all combine to produce a Canadian classic Cream Ale. A moderate hop bitterness and creamy mouthfeel round off the flavour experience. Food pairing suggestions include chowders, sushi, teriyakis, salmon and tuna dishes, corn-on-the-cob, fruit cakes, and brick and colby cheeses.
- Kirk Lazarus Dark Witte : This wheat ale is brewed with the traditional coriander and orange peel, with the not-so-traditional addition of dark malts giving this beer its dark hue. Dry-hopped with Cascade, Amarillo, Centennial and Citra hops.
- Scratch Beer 180 - 2015 (Chocolate Stout) : Brewed with a hefty malt bill including chocolate malt and roasted barley, this lush Chocolate Stout also features oats to naturally bolster its silky texture. The addition of lactose and dark chocolate sweeten the pot even more, yielding a smooth, velvety mouthfeel. To balance the sweetness, we used a variety of American hops to introduce a tinge of citrus and pine in the aroma as well as subtle spicy, earthy bitterness. Finally, we conditioned the finished beer on cacao nibs and vanilla for a week, giving this stout a luxurious body and rich, decadent finish.
- Hollywood Blondie : Belgian style ale brewed with passionfruit and peach
- Petrus Aged Red Ale : Petrus Aged Red is a blend of 15% Petrus Aged Pale, pure foeder beer that has been aged for 2 years in oak foeders, and 85% double brown with sour cherries. For the fruit beer lover, but with an ideal sweet-sour balance.
- Big Sprang : This amplified version of Sprang, our hoppy welcome to Spring, is a kölsch inspired ale, cool fermented and dosed heavily with Nelson Sauvin. Lower fermentation temperature slows the yeast's metabolism and provides balance by gently subduing super-fruity esters and spicy phenols. Big Sprang is medium bodied with dank aromatics of earthy evergreen, passion fruit, and faint doughy malt. Flavors of juicy concord grape, mango, and herbaceous white wine interweave with cracker-crisp, pilsner malt character and minimal bitterness. The finish is dry with a lasting touch of grain. 
- Sugar Creek Dubbel : Complex, mysterious and deceivingly dangerous, our Belgian Dubbel is both easy-drinking and full of character. Inspired by one of our favorite recipes, this craft beer will keep you guessing with a plethora of distinct and delicious flavors: plum, raisin, spice, banana, clove, chocolate, brown sugar, and cherry can all be found in a single tasting! A hint of earthy spiciness with a sweet lingering caramel tone precedes a pleasantly warm alcoholic finish. By far our most expensive beer to create, our Dubbel pushes the limits of our lauter tun’s capabilities and delivers a beer worthy of the famed Trappist monasteries that originated the style.
- Shark Jumper : A big, tropical, fruity hazy IPA. Aromas of tropical fruit, lemon, sweet citrus, and a hit of dank; flavor is fruity and malty with a slight bitterness; finish is slightly sweet.
- Samuel Adams Noble Pils : Samuel Adams® Noble Pils is brewed with all 5 Noble hops for a distinct hop character and fresh taste. Deep golden in color with a citrusy hop aroma, Samuel Adams Noble Pils is a traditional Bohemian Pilsner. The honeyed malt character from traditional Bohemian malt is balanced by delicate yet pronounced citrus, floral, and piney notes from the Noble hops. The winner of our 2009 Beer Lover's Choice® election, this beer was chosen by over 67,000 drinkers for its crisp complexity and refreshing taste.
- Braunstein Organic Wheat : Spiced with coriander and citric fruits.
- Internal Contradictions (Passionfruit) : Passionfruit, Pleasantly Tart, Grapefruit Pith, Currant, Fluffy Dough.
- Identity Crisis IPA : This IPA begins with copious amounts of rye malt. Then a few darker varieties are added to make it black. We then add a ton of hops to make it delicious. It is an outrageous blend of flavors that comes together seamlessly in this dark tasty ale.
- Marshmallow Handjee : Dark Lord Russian Imperial Stout aged in a variety of Bourbon barrels with vanilla beans.
- Fresh Prince Of Bel End : As the first whispers of Fall echo down Main Street, sink in to a pint of this Belgian dark ale. The pale malt base is fairly unassuming, as are the Nugget hops that balance the sweetness. Don't be fooled though; this beer has a ton going on. The estery, slightly phenolic Belgian yeast character serves as the perfect start to a malty playground. Hints of flaked oats and wheat lend a fluffy mouthfeel while caramel and honey malts create a rich, complex sweetness to counterbalance the dry Belgian yeast finish. A touch of chocolate malts brings in a little roastiness and bittersweet cocoa flavor. Pound one and dance around like Carlton. Alfonso Ribeiro would.
- Summer : The first of our session series. Light and balanced, but never boring. Every sip invites another as the palate uncovers new layers of british malts, light honey-like sweetness and a fruity, floral hop nose.
- Baltic Porter : Perfect for a cold winter night on the frozen Baltic Sea, this beer is a strong yeast smooth, cold-fermented/conditioned lager beer. Blackish-brown in color with hints of deep ruby, distinctive caramelized sugars, licorice and chocolate-like flavors and a low degree of smokiness from roasted malts but without associated bitterness. Because of its alcoholic strength, aroma includes a gentle/low lager fruitness (berries, grapes, plums), complex alcohols and cocoa. Hop aroma and bitterness is very low. Medium-full body complemented with malty sweetness. Stay warm out there.
- Joy IPA : Our initial beer release is a collaboration produced with Bron Yr Aur Brewing Company in Naches. We brew a new Joy IPA every year to celebrate our friend Joy Peterson. Generously hopped with Simcoe and Mosaic LupulN2 powder, as well as Comet hop pellets, this beer is big, sweet and fruity.
- Passionfruit Sour Ale : 100% sour fermented wheat ale, inspired by German Berliner weisse and conditioned on passionfruit. bronze medal winner at the 2013 Great American Beer Festival!
- Nightcap : A robust black IPA with the perfect balance of dark roasted malts and all American hops. Notes of chocolate and coffee are accompanied by a smooth bitterness from our late whirlpool additions and finished with a heavy dry hop. A substantial yet balanced brew for the darker months of winter. Nightcap is the perfect beer for the endless night.
- Minute Man NE IPA : A hazy, juicy IPA with the aroma of a hopped up IPA, but without the harsh bite. Loaded with hops with citrus and tropical fruit flavors. Mouth feel is full bodied and creamy.
- Killwood : This 4th iteration of our rotating West Coast Style IPA features experimental #07270 hops, which provide pungent dank and resinous notes. Simcoe and Mosaic hops round it out with some piney and fruity notes, and a bready malt backbone supports the hop bill to create a balance yet hop-forward and delicious IPA.
- Honey Porter : Here's a taste of South Jersey, better known for farms than fist pumping. Roasted and dark crystal malts shine through in a smooth and light-bodied porter that is balanced by a hint of sweetness thanks to the local Jersey Fresh honey. Welcome to the Garden State, bro. Apiology is the bee's knees!
- Trillikini : We teamed up with our friends at Evil Twin to brew Trillikini; our first beer available in cans and the ultimate summer crusher perfect for those endless days at the beach or timeless backyard BBQ's. Don't let the low ABV fool you, this hazy blonde IPA is loaded with hop-driven flavors of candied peach, grapefruit and lemon zest complimented by fluffy oats and a rustic graininess. Clean and crisp with firm, thirst-quenching bitterness, Trillikini is destined for your icy cooler. 
- Barrel Aged 72 Imperial Chocolate Cream Stout : This unique release is a whiskey barrel-aged take on the brewery’s Small Batch 72 Imperial, an imperial chocolate cream stout. For every 100 bbl. batch, 400 lbs. of Rocky Mountain Chocolate Factory lustrous chocolate, made especially for 72 Imperial, are added to the brew. After spending a considerable amount of time in whiskey-soaked oak barrels, the finished product is molasses in color and smells of chocolate, wood, and whiskey harmoniously blended together. The beer has a dense and decadent mouthfeel and an abundance of rich flavors, including hints of sherry and dark fruit that compliment the toasted chocolate and oak notes remarkably.
- Apricot Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. 
- Broad Street Brown : Special-roasted and extra dark barley combined with three kinds of hops give this brown the perfect blend of bitterness and malt character. If you think you don’t like dark beer, you haven’t had our signature brown ale.
- Alpha Blonde : A seductively soft, easy drinking blonde ale, with an emphasis on a fragile and complex malt character. Made with Belgian candi sugar, honey malt and select Belgian and American grain. Slightly sweet and creamy; perfect for the session connoisseur and the timid domestic drinker looking for an introductory craft beer. 
- Small Batch No. 11: Apricot Sour : The 11th edition of our rare and experimental small batch release is an Apricot Sour. We blended together barrels of one year aged Belgian Blonde ale that was inoculated with a third generation of our house sour barrel. In the beer’s last month of barrel aging we added over 25 pounds pounds of fresh apricots to every barrel. This gave the body of the beer a sweet, juicy character upfront while maintaining a complex spicy and dry finish. When consumed fresh the beer has a piquant apricot and melon aroma that is backed by the the warming vanilla from the oak along with earthy and funky tones from the evolving solera culture. Enjoy one now and save a few to cellar as this beer will continue to mature in the bottle. Pour with care, as this beer contains live yeast from refermentation in the bottle.
- Phobophobia Patersbier : A Patersbier–Dutch for "fathers beer"–is a light, refreshing Belgian-style table beer traditionally consumed by Trappist monks with their meals (or when no one was looking). Ours is golden in color, dry and highly carbonated. German Pilsner malt contributes mild notes of bread, while the Czech Saaz hops add notes of spice and earth tones to the aroma. A classic Belgian Trappist ale yeast delivers delicate and complex fruity notes. Goes great with friends, family, and thwarts all enemies.
- Organic Ginger Beer : Nelson’s latest summer seasonal will surely satisfy your thirst all summer long on the beach. Upfront ginger snap that’s not over powering with subtle hints of organic honey and lemongrass, the light malted bodied allows the sweet and spicy ginger notes to shine through. This new legendary ale lends itself to be consumed straight up in a icey cold pint or blend with a small amount of ice, freshly squeezed lime and a jigger or two of dark rum…sounds like the best boat drink ever?
- Twelve/163 : Celebrating the 163rd Anniversary of Cincinnati's Christian Moerlein Brewing Company, and the 12th year of it's rebirth under it's new owner, Beer Baron Greg Hardman, this Belgian Quad was made using arcane brewing methods and features a full body tasting of dark fruits and clove as the warmth of brandy barrel aging washes over your pallet. This complex beer is a testament to our brewing history.
- Blend One : With all this lovely room for activities in our new brewery it's time to start having a little fun. The richness of triple shot was the perfect candidate for blending with our barrel aged stout, Truth. Truth has been resting comfortably for nearly a year in Elmer T. Lee barrels, coalescing in a beer loaded with rich dark fruit and bourbony vanilla flavors. After much deliberation and ensuing tipsiness, the resulting blend is 74%: Triple Shot and 26% Truth. We find it to be delicious, full of depth, and incredibly exciting - a small glimpse into a Tree House that finally had access to creative freedom we have desired since our inception.
- Tropication : Hardywood Tropication is a definitive liquid recess. Heaps of Mosaic and Nelson Sauvin hops send a wave of tropical fruit aromatics that burst on the palate with notes of passionfruit, lychee, mango, pineapple and lime. Smooth, bright and super juicy, Tropication is an exotic escape from the daily grind.
- Morph 8/25/16 : Rotating IPA series: recipe featuring: Citra, Mosiac, and Simcoe hops. Aromas of freshly juiced nectarines; sips with notes of candied mango and citrus, followed by a refreshing grapefruit pith finish.
- Paradiddle : Paradiddle is an American style India Pale Ale. We wanted a citrus centered IPA, so we brewed it with Citra hops and then dry hopped it again with Citra. On top of that, we added fresh grapefruit peel and juice straight to the boil to give a great, bitter finish.
- Capricorn : The first beer to be brewed at Bear Republic Lakeside, this version of Red Rocket offers fruity and floral aromas from the addition of Mosaic and Citra, followed by a sweet caramel finish.
- Wild Evil : Wild Evil is a Belgian Strong Ale originally brewed for the 2009 Great American Beer Festival, after which it was aged in an Oregon Pinot Noir Barrel. After two hibernation years, the beer was drawn and bottled-conditioned with Brettanomyces, giving it new life for the 2011 Farm Table Event. Notes of fruit and oak tannins marry with the earthy and leathery flavors from the wild yeast to create an extremely complex beer - some might even say, Wildly Evil. Cheers!
- Defiance : Reddish/copper color. A slight fruity-ester aroma accompanied with an intense hop aroma. Medium to high maltiness with a low caramel character. Intense hop flavor balanced with a warming finish.
- Houblon Chouffe Dobbelen IPA Tripel : The gnomes of Fairyland may be little, but they have big, very big, personalities. HOUBLON CHOUFFE matches their impish spirits. All gnomes, with their innate good taste, are in full agreement about HOUBLON CHOUFFE, which is flavoured by three different types of hops. This India Pale Ale is appreciated for its pronounced bitterness combined with the fruity tones of traditional Achouffe beers: it softens the strongest of characters.
- 1000 Mile Oatmeal Pale Ale : Brewer and hop expert Phil Davidson and his companion hit the Appalachian Trail's 1000 mile marker at Harpers Ferry. To celebrate, Phil was our guest brewer on this Oatmeal Pale Ale. Virginia grown and malted oats from Copper Fox Distillery were used in this American Pale Ale adds a silky body that rounds out the complex pineyness of Columbus hops. We then layered on several additions and multiple dry hops of Cascade, Simcoe and Chinook.
- Matchless IPA : Our flagship, IPA has a nose leading to aromas of peaches and tangerines. Its pours a golden orange with moderate haziness. The body is moderate and pillowy leading to notes of ripe fruit on the palate including nectarines, apricots and navel oranges. The finishes is semi dry with a light bitterness that complements the fruit notes throughout. 
- Pithing Contest : This Gose-style ale is soured with probiotic bacteria for bright acidity, then a hint of locally harvested sea salt from Big Sur for balance. The base beer is then conditioned on Grapefruit puree.
- Parsons Green : Dark mahogany color, biscuit aroma, sweet bready flavor, light body.
- Cheap Labor : Cheap Labor is a hoppy pale ale. Coming in at 5.2% ABV it is easily drinkable with a strong hop presence felt on the back end. The hops used provide hints of citrus and grapefruit.
- Hop Program - Beer III : The concept for out third Hop Program beer, Beer III, was a hoppy black ale incorporating Citra, Lemondrop. Cascade, and Falconer's Flight hops. While dark in appearance, Beer III presents with massive hop aroma and flavor. It finishes dry with a touch of chocolate and coffee lingering on the palate. We hope you enjoy our latest hoppy creating. Cheers!
- Stormwatch Ale : This dark brown, hoppy ale takes the IPA style into unfamiliar depths of color. Amarillo hops provide the hoppy flavors and aromas of an India Pale Ale, complemented by subtle chocolaty roasted notes from the dark malts. The malt bill is very close to that of the Copperhead Ale, but with the addition of some dark roasted malt for color and flavor. The Amarillo hops are a potent American variety with a distinctive flavor and aroma. (O.G. - 14.8P/1059. Hops - 46 IBUs)
- Schlafly Dry Hopped Saison : A Belgian style Farmhouse ale with a mild American dry-hopped twist. It has a fruity and spicy aroma that’s comes from a combination of the saison yeast and the Mosaic and Chinook dry-hops. This saison is light to medium bodied with a dry finish.
- Stay Dry Stout : A traditional Irish Dry Stout, Stay Dry is a pun. In St. Petersburg it is difficult to “stay dry.” Our weather is either too hot and humid to avoid a constant sweat, or our tropical storms maintain a torrential downpour rolling in off the Gulf of Mexico. This beer is light in body, black in color, and packed with malt forward flavors reminiscent of chocolate, dark caramel, and coffee.
- Fated Farmer: Nectarine : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: Build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel fermented in 500L puncheons with our Native New England Wild Culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- Contention Belgian IPA : Contention is a Belgian IPA brewed with wheat and crystal malts that are complimented by a blend of European and American hops. This beer is the answer for those who want a hoppy IPA flavor profile combined with the fruity and spicy characteristics of strong Belgian ales.
- Raven's Heart Stout : “The autumn leaves blow in the cold as the complexity of the bare tree branches are finally exposed. Sitting silently, the Raven. There’s nothing colder than the Raven’s cold black stare“,……….other than perhaps your ex’s heart.
- Bastille Day Brew : A collaboration between the MKE Brewing Co. and Bayou Teche Brewing Co. of Arnaudville, Louisiana. The Saison style Ale is a deconstructed version of Succade, a popular Louisiana treat consisting of candied citrus peel. Flavored with Meyer Lemon, Tangerine, and Lime peel added to the brew kettle and fermented with Belgian Candi sugar resulting in a bright and complex beer. Pilsen and biscuit malt add to the light color and flavor, while Sorachi Ace hops enhance the bright lemon finish. Measuring in at sessionable 5.8% ABV, a warm crisp flavor hints to green apple, pear, and citrus that refreshes the pallet.
- Shingle Bay : A light easy drinking ale with a fruity citrus aroma and flavor giving a subtle refreshing bite to refresh the palate. Smooth to the taste to reflect a crisp revitalizing finish. 
- Hot Banana Hefe : Since our brewery is located so conveniently on Crossroads Farm, whose main farm product is chiles, we have a passion for chile beers. Being so close to the origin, we like to highlight single varieties of chiles and celebrate their flavors individually. This Bavarian style wheat beer does just that, the base beer is simple but elegant, and allows the chile flavor to shine. The classic hefeweizen flavors of banana and clove are balanced with a full body from organic raw white wheat and organic white wheat malt. This beer is a solid base for the ripe fruit flavors and gentle spiciness from the hot banana chiles we add to the boil kettle. Cheers to chile beers!
- On And On : Insanely fruit forward, pleasantly hazy and full bodied. Brewed with flaked oats. Hopped with Vic Secret, BRU-1 and Citra lupulin powder.
- Ophelia Hoppy Wheat Ale : Subtle hints of citrus round out the complex aroma of Mosaic hops, for a beer so drinkable, it’ll last through multiple acts.
- Sleeper Street : Following in the footsteps of our other “Street” IPA’s, Sleeper shares the same base grains while placing the unique El Dorado hop at center stage. Opaque orange-yellow in color with floral aromas of lime zest, grapefruit peel, pine sap, and candied orange. Juicy, hop-driven flavors of bright citrus, melon, and herbal pine are balanced with medium bitterness, fluffy mouthfeel, and dry finish. 
- Re-Alive IPA : Our collaboration with Tampa Bay Brewing Company. An American IPA fermented with a Belgian yeast. Subdued yeast phenols mix with fruity and tropical hop notes from extensive dry hopping with Nelson Sauvin and Equinox. 
- Beginner's Mind : Light bodied dark ale with a hoppy aroma.
- Waka Waka : Waka Waka is a Passion Fruit Double IPA. Brewed with red wheat. Hopped in the kettle with Mosaic and Amarillo. Conditioned on a ridiculous amount of passion fruit purée. Then assertively dry hopped with heaps of Wakatu and a touch of Citra.
- Precious : Batch 2 - Tart and Tangy Sour ale brewed with more apricots per gallon than any beer in history...to our knowledge. Incredibly floral and fruity with sharp acidity.
- Local Roast : Take what you love about our Oatmeal Stout, Local Remedy, add in a heap of coffee made in the capital of the Old Dominion, and you’ve got yourself a Local Roast. Grainy oats and malts are present throughout, with Ironclad’s coffee adding a nutty, bold component to the beer. With beer brewed in the valley of Shenandoah featuring coffee developed in the nitty gritty of Richmond, Local Roast is a Virginian lovefest.
- Not Just Some Oatmeal Stout : "Not Just Some" Oatmeal Stout - Made with two-row pale malt, dark chocolate malt, black malt, and flaked oats - this rich stout is brewed with twelve additions of Fuggle hops. Originally Just Some Oatmeal Stout, the name was changed by popular demand as this truly is unlike any ordinary stout!
- 1/2 Baked Peanut Butter Porter : Earthy, deep and dark, brewed with dark chocolate and roasted peanuts. Pours black with a medium body and big, toasty aroma. Ingredients highlights: Brewed with peanuts, brewed with a blend of chocolate flavors.
- German Lager : A dark golden colored German style lager that is lightly hopped with German Perle, Tettnang, and Spalt hops. Malt sweetness is evident along with some spicy hop flavors.
- Plott Hound Porter : A Robust Porter, dark brown with rich Chocolate/Coffee flavors. Also notes of Caramel and Toffee. Very low hop profile.
- Spin The Bottle : A cornucopia of hop-induced flavors comprising of pine, melon, orchard and stone fruits. A Pale colored, pleasantly bitter, crisp pale ale.
- Rabbit Of Caerbannog : Like the vicious rabbits that slowed the search for the Holy Grail, this wheat based IPA is deceiving. It smells like tropical fruit and looks light but it has a strong and bitter bite. Beware.
- Scratch Beer 128 - 2013 (Belgian Chocolate Raspberry Stout) : Brewed with decadent dark Belgian chocolate and an abundance of tart raspberry purée, Scratch #128 is an enticing Stout brimming with optimism. Each passing sip reveals its enduring charm and infinite merriment. The addition of Westmalle yeast (a Trappist yeast strain) enhances the flavor and texture of the ale, giving it an authentic Belgian flair. Since chocolate and raspberry complement each other so impeccably, Scratch #128 is sure to put you in a right jovial mood!
- Orbital Tilt - Galaxy : This IPA has been brewed using a healthy dose of imported Pilsner malt and malted oats to create a smooth mouthfeel, then dry-hopped with Galaxy lupulin powder for an earthy aroma and ripe fruit finish.
- Sea Rose Tart Cherry Wheat Ale : Our Sea Rose tart cherry wheat ale is a fresh take on fruit beers. Originally conceived during an employee-led R&D brew, it’s one of our most imaginative recipes yet. The American wheat style is light and clean, while fresh cherry juice adds a soft coral color and fruity nose that gives way to a dry, slightly tart finish. It’s approachable, yet unexpected—exactly what we love to brew.
- Wild Peche : A sour version of our Peche, made with equal parts pale malted wheat and barley & packed with peaches, including some local fruit & blended barrel fermented Tripel.
- Holy Roller IPA - Grapefruit : Brewed with grapefruit and dry-hopped with citra and mosaic hops. A bold IPA for all of us caught between best intentions and bad behavior.
- Life In Technicolor: Blood Orange : The third iteration in our Life In Technicolor series, is beer pops with notes of tropical fruit, pine and citrus. We brew this beer with a soft malt base consisting of a large amount of wheat to help provide a round mouthfeel and body. Over 10 lbs per barrel of blood orange zest and juice were added for a refreshing citrusy taste. Bittered slightly with Columbus we then hit this beer with a heavy dry-hopping consisting of Mosaic, El Dorado and Simcoe. It's like orange juice in a glass.
- Shark Meets Hipster : Your next love affair. Light bodied American Wheat Ale featuring truckloads of Galaxy hops. Expect strong notes of passion fruit.
- Blind Tiger : Blind Tiger is easily the hoppiest beer we’ve ever brewed. A massively aromatic blend of hops deliver resinous citrus fruit flavors, with the bitterness cranked well over 100 IBUs. With an absurd addition of over 10 pounds of hops per barrel—including Citra, Simcoe, Amarillo, and Centennial—and clocking in at over 9% ABV, Blind Tiger explodes with flavors of freshly cut melon, citrus peel, and ripe passionfruit. We encourage you to grab this beer while its fresh.
- Lineage Spelt : Our series of New England barrel-aged saisons continues with Lineage Spelt, brewed with a hefty amount of raw spelt. Aromas of apricot, white grape and a lively acidity greet the senses. A palate of zesty lemon, kiwi, and a complex oak note are found in the finish. Light in body and crisp carbonation, Lineage Spelt is very refreshing.
- Dark Side Of The Moon : The counter balance to our lightside of the Moon has arrived in the form of a rich, chocolately, Oatmeal Session Stout. Highly sessionable for those dark and dreary winter nights when all you want to do is curl up and pretend your travelling the galaxy battling space dinosaurs.
- Radlands : We all love beer, we all love the Bay Area, and we all love this whole thing we’ve created together; and Radlands is our ode to just that. We chose to highlight El Dorado hops, not the hop with the most cache, but when grown by the right farms it's the hop that is completely unique unto itself and second to none. Notes of generic fruit punch, grapefruit, peach juice, and a melange of citrus epitomize what we enjoy in a hoppy beer. Balanced up against that giant hop character is a fun little ditty of malt character that oozes sweet orange bread and honey soaked grains. This is our IPA that doesn't need the normal murderers' row of hops, it's doing just fine on its own; it doesn't need buzzwords attached to its style, it's doing just fine on its own. This is simply the IPA we want to be throwing back while we are enjoying the ridiculous Radlands of Northern California we are so insanely lucky to be near.
- The Dark Side : Full-bodied, dark, German-style lager with toasted malt sweetness balanced with a slight hop bitterness.
- Ukulele : Here's a beer that will pluck on your heartstrings. Just close your eyes and say aloha to Kauai, where the idea for Ukulele began in the form of a Passion Chili Whiskey Fizz, made with bourbon, passion fruit, Thai chili and ginger ale. Ukulele's tone and volume intensifies with each sip, dancing on the tongue with massive, tart tropical fruit flavors and ginger spice, crescendoing with the slow-timed release of heat from ghost chili peppers and warmth from bourbon barrel-aging. Ukulele is truly a gift or reward to share with friends.
- White Knight : Out of the darkness comes a hop-infused weisse shimmering in the night. At first encounter, the strong hop presence is unmistakable. Emblazoned with citrus, grapefruit and tropical fruit, the White Knight finishes its assault with banana, clove, and unwavering chivalry. When good beers end, their goodness does not perish, but lives though they are gone.
- Maple Stout : "Our aim is to create a dry, spicy stout. Let there be no misconception. The maple syrup added to the kettle leaves no sweetness—yeast loves maple syrup, and all it leaves behind is the essence of the maple tree. We also add other herbs and spices to give this stout a distinct floral character. So as you sip this brew we take you back to the edge of the high alpine forest. We use a combination of British pale malt, black patent, chocolate, and roasted barley to give it a complex malt and coffee flavor. In the kettle we use Willamette and Chinook hops. Since this brew starts at a gravity of 1.070 and finishes at about 1.020, we ferment Maple Stout at 20°C for about three weeks to give the yeast ample time to convert the extra sugars and fermentable materials before cellaring at low temperature. Because of the high gravity and complex flavors this brew requires a longer aging process after packaging. We believe that this brew should be matured in the bottle at about 10° to 12°C for at least two months before consumption. It should be consumed at about 14°C to bring out the subtle flavors."
- Old Numbskull - Bourbon Barrel-Aged : A West Coast style barleywine. A huge malt profile and a very aggressive dose of premium domestic hops give Old Numbskull a tantalizing complexity, from the aroma to the aftertaste. A year spent in bourbon barrels adds amazing depth and complexity.
- Scratch Beer 48 - 2011 (Fest Bier) : In honor of Oktoberfest (and our German friends building our new brewery) we give you Scratch #48-2011, Fest Bier. This gorgeous lager features German malts including floor-malted Bohemian Pils, and generous amounts of Vienna and Munich malts which add a nice body and a slightly darker color than a traditional fest beer. All noble hops provide a hint of grapes and a subdued “German stink.” The Magnum hops add a crisp bitterness and the Tradition hops impart a slight earthy taste. Ich möchte einen Toast auf BrauKon ausbringen!
- I'm Not Lonely Belgian Single : Steve was single for a long time, but now he's not. This complex, slightly fruity Abbey-style session beer is perfect for the long haul!
- Harmless Untruth : Saison brewed with Saaz and Styrian Aurora Hops. Notes of bakers Chocolate, anise, pepper and dried fruits.
- Deathless : Deathless is a traditional Märzen style lager clocking in at 5.5%. Toasted, biscuity malt with some beautiful caramel complexity and floral European hops make for such an amazingly crisp, fall lager.
- Zest Intentions : Sour Belgian Wit - A kettle-soured witbier that we added the juice and zest from 160 lbs of lemons, limes, oranges and grapefruit to. Expect a classic Witbier base with a clean and balanced tartness and the melded flavors and aromas of copious amounts of citrus fruit. Crushable and refreshing!
- Red Rock Abbey Ale : Abbey Ale is a malt accented beer with nutty, toasty and chocolate-like flavors. Low hop bitterness, full bodied, unfiltered, fruity banana-like aroma from the unique Belgian yeast strain we use.
- Brutal Brewing Sir Taste-a-Lot State Of Hoppiness : Brewed with pilsner, wheat, light and dark caramel and melanodin malts. Hops: Cascade, Citra, Perle and Amarillo.
- Wink Wink : Dry-hopped with El Dorado. Brewed with passionfruit and mango.
- Daniel Driscoll Pale Ale : Honeydew, Cracked Wheat, Sweet Fruit, Clean Bitterness.
- Commander : The Commander™ is our English-Style Barleywine ale brewed with heavy fists of malts and subtle, sweet Cardamom. Aged in bourbon barrels, its bold, complex flavor reaches heights measured only by the building of its namesake. This 12.5% ABV treat is best enjoyed in smaller portions when you have some time to savor it, between now and 2020.
- Kriek Lambic : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Death : A high-gravity Russian Imperial Stout brewed from a blend of dark malts and Jolokai peppers (Ghost Chili Peppers).
- Java Joe's Porter : Coffee! Coffee! Coffee! Dark and rich, but not as full-bodied as our stout. Start out with a simple English Ale recipe, darken it with some black patent malt, and then give it a kick with 50 pounds of Java Joe's finest organic coffee beans.
- Obscure 80s Reference : A real showcase for Simcoe hops, this smooth and hazy IPA bursts with a symphonic blend of passion-fruit, pine and berry. Low on bitterness and easier on the ABV, this is the ultimate Simcoe session beer.
- Unintelligibility : Our Dark English Mild is reddish brown in color and wafts aromatics of charcoal and almonds. The body is light and quaffable with notes reminiscent of fruitcake and bran muffin.
- Joni : To make Joni, the second in our series of barrel-aged fruited sours, Brewmaster Eric Johnson started with his house golden ale base. It was primary fermented clean in stainless steel before transferred to Bordeaux wine barrels and inoculation with souring bacteria and aged for over a year. 40 pounds of cherries were added to each barrel and aged further. Each barrel produces unique flavor characteristics and only a few were hand-selected to create the tart, light, beautiful final beer, Joni.
- Maracuya : Ale fermented with passionfruit.
- Bourbon Barrel-Aged Breakfast Stout : A hearty stout grain bill + After Dark French Roast coffee beans from: Booskerdoo Coffee + Bittersweet chocolate + 5 months in bourbon barrels = A Heavenly Place
- Escape : Copious amounts of flaked, lightly toasted coconut and pineapple purée combined with Mosaic hops makes this brew rich in tropical fruit flavors.
- De-Lovely Porter : It’s delightful, it’s delicious, it’s De-Lovely. Smooth and dark, yet refreshing. You don’t have to wait until the snow falls to enjoy this dark beauty.
- Proglacial : Tequila BA sour golden ale with passion fruit.
- Boundary Tree : Inspired by classic Old World farmhouse ales, Boundary Tree was crafted with a base of Pilsner and Dark malts for a burnished golden color, and brewed with Hallertau Blanc and Citra hops for a balanced bitterness with hints of citrus. Fermentation with our Classic Saison yeast strain, along with additional conditioning in the bottle, give it a crisp effervescence and dry finish that are characteristic of the Saison style.
- Dunkel : Winter has met its match in the form of this classic Munich-style dark lager. Smooth, with caramel and roasted malt flavors courtesy of Dark Munich and Carafa malts, Dunkel offers an easy-drinking finish to even the coldest, darkest days of winter. It may be freezing outside, but the conditions inside this bottle of Dunkel are always absolutely perfect. Enjoy it all winter long.
- Batch #1000: Bryeian : Join us in excitement as we release the winning brew from our Batch #1000 homebrew contest - Bryeian! Hard to believe that we've brewed 1,000+ batches of beer and for those who have been with us throughout the years, probably surprising to see that the winner is a hoppy ale! A cascadian, dark rye ale to be exact. Brian Pramov and Bryan Keas, a pair of homebrewers from Denver put together this winning recipe for us and it shined brightly in our competition. The roast of the dark malts, the spice of the rye and the intense hop character combine for a fantastic experience.
- Darksynth : Darksynth is 50% New Belgium Oscar (ale aged in wine barrels), 40% Dantalion, and 10% raspberry lambic.
- Schlafly Irish-Style Extra Stout : Our Irish-Style Extra Stout amplifies the traditional drier versions from Ireland for a bolder, black brew. The addition of both roasted barley and Dark Crystal malted barley give Extra Stout undertones of chocolate, molasses and dried fruit. The beer is generously hopped with East Kent Goldings to balance the sweetness from the malted barley.
- Pilot Batch #3 : Imperial wheat brewed with grapefruit, orange peel and spices.
- Kiasu Stout : Kiasu (adj kee-ah-soo) lit. Hokkien: "afraid of losing". Brewed with five malts, three hops, chicory, and cane sugar. The many layers of flavour will ensure you always win! Quintessential export stout with unrefined sugar cane juice, and added complexity from specially roasted chicory. Great by itself or with dark chocolate. Triple-crowned "Best in the World", "Best in Singapore" and Gold in the Stout category at Beerfest Asia 2013.
- Love (Blackberry Whiskey Barrel Aged) : Blackberry Whiskey barrel filled with dark beer from acidified barrel. Aged 2+ years in barrel.
- McSwick Scotch Ale : Our McSwick Strong Scotch Ale has a light copper color tinged with ruby highlights. The deeply malty and earthy aroma give way to a smooth but heavier bodied mouthfeel. While the alcohol warmth is present, it is balanced out by a malty sweetness with notes of both almonds and dark fruit.
- Barrel Roll: Pugachev's Marasca : Pugachev’s Cobra aged for 8 months in freshly emptied bourbon barrels to create a dense, complex beverage. We added maraschino cherries to top off this already layered Russian Imperial Stout. All the richness of our prominent Pugachev’s Cobra, combined with the sweet decadence of maraschino cherries.
- Double IPA : This double (some say imperial) version of an American IPA starts with a dry and spicy backbone of rye malt then we layer on lots of hops. The Summit hops provide an initial smooth bitterness with complex tangerine and grapefruit flavors. Then the Centennial, Chinook, and Simcoe come in with big, fresh hop aromas, which we further elevate by doing two dry hopping cycles with Citra, Simcoe, and Equinox to finish this monster. If you are keeping tabs this one comes in at a hefty 75 IBUs.
- Chocolate Datil Chili Imperial Porter : This unique brew has huge chocolate notes on the nose, with a subtle fruity sweet heat present from fresh Datil Peppers used in the brew. It features a dark brownish black color. Cacao powder gives this brew full bittersweet chocolate flavor, with a mouth coating medium-full body. Intense heat from the Datil Peppers builds with each sip.
- Alban Elved : Alban Elved, "The Light of the Water," the first day of Autumn, was also called Harvesthome. Observed on September 21, the Autumnal Equinox was the day when the sun again began to wane, as the dark half of the year drew near. As with the Vernal Equinox, day and night were of equal length across the planet. This balance in nature presented a powerful time for magic. To the ancients, this was a sacred time. The Irish saw this time of year as the Waning of the Goddess. From the Summer to the Winter Solstice, they would hold festivals for the God - who was seen as a dark, threatening being. To the Goidelic Celts, the spring was the time of joy in the rebirth of the Goddess. To Brythonic Celts, however, this was the time of the death of the God (the Sun or the Grain God).
- Stone / Abnormal / Paul Bischeri / Patrick Martinez - Neapolitan Dynamite : San Diego may be best known for its hop-forward IPAs, but this county has a long and proud history of stouts, porters and the dark arts. Case in point, the winners of this year’s American Homebrewers Association-sanctioned Stone Homebrew Competition: Paul Bischeri & Patrick Martinez and their champion creation, Neapolitan Dynamite. For our additional collaborator, we enlisted noted Stout Master Derek Gallanosa from Abnormal Beer Company to bring this ice cream sundae of a beer to life in full scale. The result is a rich, decadent beer, with the sweetness of the strawberry and vanilla balanced out by dark chocolate and coffee. Available in bottle and on draft, but not on a waffle cone, unfortunately.
- Dance Card : A fragrant fruit nose with a hint of honey and a solid malt backbone giving way to a mildly hoppy finish. This IPA is sure to fill ALL the spaces on your dance card.
- 4Beans : With the addition of Madagascar vanilla beans, 4BEANS takes Sixpoint Imperial Porter to the next level. Romano beans used by bygone brewers provide body, as the flavors of dark malt, cocoa and coffee are rounded out by smooth vanilla. The result is a quadrality of roasted, savory, and complex flavors. Modern formulation meets Baltic tradition and BKLYN partnership…it's Mad Science.
- Turk Kahvesi Turkish Coffee Stout : Brewed with a curated selection of German and English malts, and blended with Messenger's Espresso Blend bringing out qualities of dark brown sugar and bing cherry.
- Bowen Island Artisan IPA : Defined by its distinct flavour profile and higher level of alcohol, the Bowen Island India Pale Ale has a light golden colour and a hoppy aroma. You will notice a hoppy bitterness to begin with, followed by a medium level of maltiness and body. It finishes with a refreshingly fruity grapefruit flavour. This IPA will taste more reminiscent of your classic, authentic English IPA, rather than a North American style IPA.
- Maximum Tilt : Brewed for Vox Populi 30th Anniversary. An IPA that is triple dry-hopped with Idaho7 and Mosaic and then dry-“hopped” with grapefruit peels.
- Pothole Filler Imperial Stout : This beer is a strong, inky dark ale, brewed with 6 malts and blackstrap molasses. It is a thick beer, with an intense roasted barley flavour, with notes of chocolate and licorice.
- Bligh's Barleywine Ale : Malty and complex, this big beer has a strong caramel backbone supporting oak and whiskey flavors with hints of dark fruits. The nose wafts of coconut, toffee, and a smooth hint of alcohol. The flavor and aroma meld, becoming one after just a single sip. This beer is ready to drink, but also ages with the best of them.
- Stay Tuned : This “smaller” Imperial Stout has a roasty aroma with hints of toasted marshmallow followed by intense flavors of dusty dark chocolate, burnt sugar, and a warming finish.
- Miles To Go Before I Sleep : Miles To Go Before I Sleep is an imperial milk stout brewed with a complex assortment of roasted malts, lactose, peanut butter, and chocolate. It pours motor oil black in the glass and emits rich aromas of chocolate covered peanut butter cups, chocolate covered peanuts, and toasted marshmallow. The flavor follows suit, with a body and mouthfeel that is velvety and luxurious in a way that is unique and exhilarating. Miles To Go Before I Sleep is brewed for Lauren, because she loves peanut butter cups and I love her. She deserves the world. Miles To Go is a perfect beer to enjoy with a friend or a loved one. Please keep it cold at all times and enjoy it during a special moment of your choosing.
- Oscar Aged In Blackberry Whiskey Barrels : Single foeder dark sour ale aged in blackberry flavored whiskey barrels from Leopold Bros. Distillery
- Hazy Weekend : Brewed using a wide variety of cereal grains to create a unique, rich, grainy yet silky body with notes of fruit and spice from the Corriander & Orange Peel as well as the traditional Belgian yeast strain.
- Perplexity BelGene : The newest BelGene is a new approach, a blend of 10 month ale aged with Brettanomyces and a fresh young hoppy Belgian ale. We blended the dry, earthy funky old ale with this fresh fruity bright ale and dry-hopped them in the keg with Nugget hops. The result is quite the complex party of fun time flavors! This one is only available at the farm’s taproom so come on out to our brewery for a taste paired with some spring sunshine!
- MacLean's Pale Ale : A glass of sunshine with burnt orange hues, a soft eggshell head, and light bubbly carbonation. MacLean’s Pale Ale has a floral and soft honey aroma that leans into freshly baked bread and light caramel flavour that is cleansed by grassy hop bitterness and a nutty dry finish.
- Aurora Hoppyalis IPA : Aurora Hoppyalis is our San Diego-style IPA brewed with Simcoe, Mosaic, Amarillo, and Citra hops. Robust flavors and aromas of tropical fruit, pine, and tangerine linger through a dry, crisp finish.
- Sertãozinho Weiss : The very specific purpose of our first coffee-bier collaboration was to unequivocally break the convention of traditional heavy-roasted, dark coffee beers. To do this we’ve taken a berry-nosed and earthy Brazilian coffee (Sertãozinho) and merged it with a traditional, clove and banana-estered, Bavarian Wheat Beer (Weissbier). The result – a stimulating infusion marked by overtones of sweet and tart fruit balanced by a subtle-but-not-bitter roast of rich tannins.
- Scratch Beer 222 - 2016 (Bock Beer) : The dark, strong and sweet lager known as Bock has become synonymous with springtime. Although we’re knee deep in winter, we’re always thirsty for a nice Bock beer here at Tröegs. We view this latest Scratch Beer release as the feisty little brother of the Troegenator. Brewed with local PA Dutch malt from our friends at Deer Creek, this traditional Munich style malt produces a deep amber coloration and hints of burnt straw, caramelized nuts, and toasted bread. Light on hop bitterness, Scratch #222 instead provides a good swift kick of dark stone fruit, sweet caramel, and chewy bready notes.
- Citrus Ninja Exchange : Citrus Ninja Exchange is the first of two collaboration beers brewed with The Charleston Beer Exchange. The first incarnation (released on draft only in September 2011) was a single-hopped Cascade double IPA brewed with approximately 50 lbs of fresh grapefruit, and then dry-hopped 4 times in the fermentor. The 2012 version has a simplified malt bill and uses a blend of American and New Zealand hop varieties.
- Not Unofficial : Not Unofficial is a dry-hopped India Pale Ale brewed with mango and guava in collaboration with Lagunitas Brewing Company. Golden in color and slightly hazy, this beer has huge aromas of juicy tropical fruit. Medium bodied this beer leads with flavors of mango and guava before finishing with dank hoppiness
- Gordon Biersch Blonde Bock : A traditional "Helles" or pale bock beer, Blonde Bock is a medium hopped beer with a rich, malty flavor. Made popular in the early 1600s, bock beers were originally brewed by monks to minimize hunger pangs during fasting periods. Most bock beers are dark in color. Our Gordon Biersch Blonde Bock is golden with a creamy head.
- Titus Andronicus : Pours dark amber in color; nose of fig, plum, caramel, and bourbon; sips with big notes of port, molasses, toffee, and dark fruit; finish is sweet, mellow, and well-integrated.
- Frost Monster - Aged In Oak Barrels : Deep and dark as a cold winter night… The Frost Monster is lurking. Brewed with a massive amount of malt to give it the rich, roasty and smokey flavors expected of such an ale, and then aged in apple brandy oak barrels. Drink it this winter or lay some down for winters to come.
- Brown Rye'd Girl : American brown ale made with a variety of malts including c60, pale chocolate and deer creek rye. Notes of toffee, dark chocolate, macadamia.
- Altbier : The German equivalent to a brown ale, it is a dark copper color with some slight fruitiness in the flavor. It has a clean and crisp taste akin to lager beer styles. If you like ambers, browns, or Irish reds, this is the beer for you.
- Rue Bourbon : A dark farmhouse ale aged in Knob Creek barrels.
- Le Cygne Biere De Garde (The North Shore Project) : Bière de Garde is a French farmhouse ale, red in color and slightly tart. Aged in oak wine casks for 9 months to bring a woody and red wine flavor to this complex, slightly tart, old world beer. 
- Lovely, Dark And Deep : Lovely, Dark and Deep pours deep black with a tan, creamy mousse-like head. Aromas of roasted malt and coffee with cream, coupled with subtle notes of chocolate and dark fruit from Ommegang’s house yeast prevail. Flavors of rich chocolate milk, and coffee and cream are impeccably balanced with restrained sweetness and hints of roastiness. The finish is silky smooth with a medium to full body.
- Beaucoup Violet : Our Biere Violet aged for five more months in young oak wine puncheons. Why are we releasing a similar beer to the last allocation? The extra aging lends a softer though equally fruit forward profile, with a more elegant oak character and 'roundness.' Delicious stuff. We think you'll very much enjoy.
- N'Ice Chouffe : When the little animals in Fairyland hibernate, the Achouffe gnomes love to gather in their cottage. By the gentle firelight, they spend long evenings telling the best Ardennes stories while enjoying a delicious N’Ice CHOUFFE. Smooth and strong, with spicy notes of thyme and Curacao, this dark beer warms both hearts and atmospheres, making even the coldest winters joyful.
- Sunshine Pale Ale : A light, refreshingly smooth pale ale with subtle fruity overtones. Made using a blend of four types of malted barley, and three varieties of hops. The specialty malts, especially the Munich malt, impart a subtle malt flavor that makes this a particularly savory brew. An excellent choice for the light beer lover.
- Absolute Devotion : Brewed with hibiscus, dragon fruit, guava, and mango.
- Starchild : To all you funky citizens of the universe, we introduce to you Starchild. Cruising through intergalactic space with your pucker face. Sour ale brewed with grapefruit peel.
- Perpetual Passion : Mixed-fermentation saison aged in oak barrels with passion fruit.
- Carynx : A rich, complex well hopped dark saison to celebrate our 200th brew! Something a bit special
- Scratch Beer 215 - 2015 (IPA) : It’s no secret we’ve enjoyed a recent influx of Australian hops at the brewery, so we thought we’d experiment with a first-time hop variety for Scratch #215. And what better platform to tinker with hops is there than brewing an IPA? This time, we’ve dry-hopped with Vic Secret to elicit a huge smack of pineapple and passionfruit as well as pungent pine notes. Mosaic and Simcoe hops further saturate the experience with plenty of citrus, tropical fruit, and pinesap.
- Champion Juicer : For Champion Juicer, we went for maximum juice effect to deliver the highest juice units possible! Though no fruit was harmed in the making of this beer, plenty of Citra and Amarillo were! Big and bright with alternating layers of peaches, melons, citrus with a soft, pillowy, almost pulp free mouthfeel thanks to a small amount of flaked corn and wheat; sorry not fruits!
- Master Blaster : Originally brewed for Victoria Beer Week’s “Thunderdome 2015”, Master Blaster is now back to bring you all those fruity and funky flavors that Brettanomyces yeast are known for. This mixed culture brew also harnesses flavours from spicy Saison yeast to create a unique beer that will blast your taste buds off.
- Right in the Batteries : Right in the Batteries is a Sour Barley Wine brewed with figs, jasmine tea, and French Oak chips in collaboration with our good friends from HopCat. This beer is mahogany in color with a tan head. Aromas of raisin, toffee, fig, caramel, chocolate are prominent with hints of floral and oak. Very complex, this beer greets you with flavors of fig, toffee, and raisin. Right in the Batteries has a medium body and a touch of tartness. This beer finishes smooth with flavors of chocolate, roast, and oak.
- Belfast Black : This is the beer that started the brewery. Named after the ancient homeland of the Lavery's. It is rich, dark and smokey. Not for the faint of heart but that's how we intended it. It has a taste of bacon, which is one of the most beautiful images I can image; a bacon beer (No actual bacon is in this beer). A solid earthy hop bitterness with a little astringency from the dark malts. This beer has no better pair than excellent Vermont Cheddar cheese.
- Chocolate Milk Stout : Our chocolate milk stout pours black as the night sky with aromas of dark chocolate, chocolate malt, & more chocolate. With a firm, tan head & a rich velvety mouthfeel our Chocolate Milk Stout is a perfect addition to the change of seasons. Brewed with two pounds of cacoa nibs per barrel this beer is a chocolate lovers dream!
- Game Of Thrones: Three-Eyed Raven : Push through the thick brambles and present yourself to the Three-Eyed Raven. Abiding in the shadows of the Three-Eyed Raven lies this deceptive Dark Saison. The ominous Three-Eyed Raven inspired us to brew a Dark Saison ale, a hybrid style open to brewer’s imagination. In the end it is neither a pure saison nor your typical dark beer, but instead a delectable blend that both deceives and thrills the senses.
- None Of The Above : Brett Pale Ale // Passion Fruit, Mango, Hazy, Ripe.
- Old Tannery Brown Ale : A rich, dark Brown Ale, this malty delight is packed full of nutty and chocolaty notes.
- Black Betsy Imperial Black Belgian IPA : This 'MidWestian' dark ale, a recipe by our own Janna Mestan, is brewed with Belgian Ale yeast, Dark Candi Syrup, German specialty malts and loads upon loads of Warrior and Cascade hops. A huge, pitch black ale with notes of pine, citrus, candy sugar, caramel and chocolate. Come see the 'Beer Carol' and find out how only this beer can save Tiny Tim! Hurry, it's his only hope!
- Miracle Berry : A very sour beer made with miracle fruit (Synsepalum dulcificum), which temporarily causes your pallet to experience flavors that would normally be sour as sweet. So the sensation of drinking this beer is a sharp, puckering sour that very quickly transforms itself into a sweet flavor profile. Very interesting and refreshing.
- Dark Star - Bourbon Barrel Aged : Bourbon Barrel Aged Imperial Stout - infused with 100% cocoa nibs and fresh roasted Bolivian coffee beans. Flaked Oats are added to lend a velvety mouthfeel. The beer was then aged in a freshly dumped bourbon barrel for 6 months. Rich dark chocolate, fresh roasted coffee, bourbon, vanilla, dried fruit, toffee, caramel and vinous notes.
- Potato Gun Idaho Potato Ale (Hopworks Urban Brewery Collaboration) : Coming together in Idaho for this collaboration brew, it felt necessary to include a flagship Idaho crop, potatoes, as a unique ingredient. Fifty pounds of organic purple potatoes were added, backed up by organic whole cone hops. The bitterness is very welcoming but not abrasive. The beer is a beautiful golden straw color with a huge floral and fruity nose. 
- Red Fox : Mellow, spicy, and fruity Belgian-style amber brewed with orange peel, coriander, and grains of paradise.
- Citra Pale Ale : This exclusive run, single hop pale ale boasts notes of intense grapefruit and light lavender.
- Tripel : The Tripel is often considered the most approachable of Belgian ales. An exhuberant flaxen hue, ours has a medium body with big fruit flavors, moderate spice and hints of American hops poking through.
- River Horse India Pale Ale : An American style IPA, brewed with American and New Zealand hops added continuously throughout the boil giving an aroma with notes of tropical fruit and citrus. The balance of hops and malt body make this the ideal year-round IPA.
- Frame of Mind : Frame of Mind is a 6.60% new sour IPA with Dragon Fruit, Guava, Tahitian Vanilla and lactose to round out this light sour. It is dry hopped with Azacca, Simcoe and Mosaic to give it a bright hoppy finish.
- Dragonmead Honey Porter : A porter with a difference. Dark in color but light in taste. Twenty-five pounds of honey and dark chocolate wheat malt are used to give this beer a refreshingly smooth taste. Give this beer a try even if you don't like dark beers.
- Tamarindo : Bright, citrusy and true to the exoctic aroma of tamarind. The taste is slightly tart and balanced by stonefruit flavors and the malty sweetness of the red ale base.
- Double Shot - Sumatra Mandheling : She's back! What’s better than one shot of espresso? Two shots of espresso! This edition of our favorite coffee infused stout utilizes buckets of Red Barn Coffee Roaster’s Sumatra Mandheling. The Mandheling’s deep cocoa flavors open up to reveal a richly complex treat. We taste flavors of , chocolate covered espresso beans, molasses, milk chocolate, and touches of sweet brown sugar. A pungent & decadent bean for sure! A rich, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike! We find this to easily be the most intense and potent Double Shot yet. A true coffee lover’s delight!
- Liquid Sunshine Weizen : Made with organic wheat malt, pale malt hops and spice.You know how a bright, beautiful sunny day looks and feels? Well, that’s exactly how our Liquid Sunshine Weizen Beer tastes and feels in your mouth. Made with entirely organic ingredients and a select strain of Bavarian yeast that yields a big fruity nose with lots of banana, citrus and more. Bitter orange and coriander give it unusual and fresh fragrance. A bit on the dry side, being more than 50% wheat malt, this is quenching beer for a sunny day or, for a day when you could really use little extra dose of sunshine.
- Honeycot : Honeycot is a sneak preview of our 2014 Apricot project with some modifications by our blending staff. We pulled a portion of the new Apricot blend straight from the tank and added local wildflower honey directly to the barrel for an extra layer of nectarous complexity. Honeycot features flavors of apricot preserves, honeysuckle flowers and raw honeycomb.
- Flesh & Blood IPA : An honest to goodness IPA brewed with a bounty of real citrus including lemon flesh, blood orange juice plus orange and lemon peel. A combination of Warrior, Centennial, and a rare experimental hop to perfectly complement the citrus ingredients and flavor. Flesh & Blood balances the resinous hoppy characteristics of an American IPA with the explosive, zesty fruitiness and subtle dry tartness of citrus to deliver a highly quaffable ale that’s incredibly unique and lovely to down the whole year round.
- Minou Minou Petite Saison : A French table beer that features a delicate and clean flavor profile. Pale, wheat, and spelt malts were used with Tettnanger hops to deliver a refreshingly fruity and slightly spicy summer brew.
- Tippy Canoe American Wheat : Made specifically for summer in the beer garden! The wheat addition lightens the body and softens the malt flavor. Flavors of peach, grapefruit and orange citrus.
- Patrick And The Kumquats Floridaweisse : Starfruit and Kumquat Berliner.
- Not From Concentrate : A juicy, fruity IPA brewed with comet and Australian summer hops. Smooth bitterness and flavors derived from a focus on hops.
- Hercules Double IPA : HERCULES DOUBLE IPA is not for the faint of heart. It is, however, fit for the gods. HERCULES delivers a huge amount of hops from start to finish. Its hefty backbone of nutty, malty sweetness balances its aggressive hop profile. 85 IBUs.
- Doc Brown Ale : This smooth and nutty Brown ale came to us in a moment of deranged clarity. English flaked oats and caramel malts create a distinctive combination that makes it a great everyday drinker. Bready, caramelly notes with a touch of cocoa and a smooth finish.
- Dark Horse Stout : Broadhead’s Dark Horse Stout is a full-bodied, rich and creamy oatmeal stout that bristles with bold, unbridled taste. Blending roasted malt and oatmeal for a solid footing, this smooth, dark beer has shades of bitterness that gives Dark Horse the perfect edge.
- The Answer / American Solera - Double Dragon(fruit) : Double Dragon(fruit) is the story of American Solera and The Answer Brewpub, two collaborating breweries who learned to brew a beer on the cold, tough streets. Their expert knowledge of the mash tun arts combined with their brewing boots, has made them both formidable fighting machines. Double Dry Hopped with Mosaic and a touch of El Dorado and an two additions of magenta dragonfruit give this beer is beautiful color and aroma.
- Mo' Galaxy : A West Coast Style IPA brewed with Mosaic and Galaxy hops. Coming in at 7.1% ABV and 65 IBUs this beer is juicy with big notes of blueberry, passionfruit, kiwifruit, and fresh cut pine as well.
- Ambrosia : Ambrosia is a classic german kolsch brewed with a touch of West Michigan wild flower honey. Perfect for summer, our kolsch is brewed to be light, crisp, and flavorful with pilsner and wheat malts. Traditional kolsch yeast is used to generate the subtle fruit and wine-like aromas and flavors that meld so well with our locally sourced honey.
- Bourbon-Barrel Aged Unearthed : From the depths of Heaven Hill Kentucky Bourbon barrels emerges a deliciously dark version of our Unearthed American stout. Aged for six months on oak, time spent on wood unveiled complex layers of caramel, oak, vanilla and Bourbon. 
- Quadrupel : Our Holiday Ale, the Belgian Style Quadrupel is brewed to celebrate the creativity of American Home Brewers interpreting and transforming classic Belgian Style Ales. Exhibiting Dark Red Hues and a thick meringue like head, the Quad is medium bodied and delivers an impressive 11%ABV. While the alcohol level may be big, our proprietary Belgian yeast strain produces a smooth, rich product without any trace of harsh off flavors sometimes associated with high gravity and/or high alcohol ales. The result is a flavorful Holiday Ale with a smooth finish.
- Punch Bowl Grapefruit IPA : Citra , Mosaic and Amarillo hops to create tropical , fruity flavours such as stone fruit , berries and melon.
- Chatiemac Black Lager : At the end of World War II, the returning vets of the U.S. Army’s 10th Mountain Division initiated the expanision of ski areas across the nation. One of these ‘ski troopers’, Wally Arheiter helped create the early Gore Mountain trails including the Black Diamond ‘Chatiemac’. This black lager is medium bodied with complex malt flavor.
- Bourbon Barrel Aged Wee Heavy Ale : Strong Scotch Ale. Sweet Caramel Malts. Notes of Dried Fruit. A slightly smokey finish. Aged in fresh Bourbon Barrels. Find a friend. Use small glasses. Enjoy the first Big Boy Release Experience.
- Broo Doo : This beer is brewed during the hop harvest with a portion of unkilned or “wet” hops fresh off the vine. Apricot in color, Broo Doo’s nose has dominant orange, pine sap and floral notes, balanced by a glazed nut and toffee malt body. This celebration of the hop harvest has intense tropical fruit, citrus and spicy accents that showcase the complexity of the hops we all love.
- Grande Cuvée Porter Baltique : Robust dark lager inspired by Porters from around the Baltic Sea region. This beer is luxuriously round with a mild bitterness. The malts contribute flavors of coffee, chocolate, and vanilla. The use of cherry-wood smoked malt provides a subtle hint of smoke.
- Detente : In today’s hostile world, we could all use some detente. Belgian-style dark strong ale with a hint of dark fruit flavor.
- Hub City Paradise Ale : Paradise Ale is brewed with a simplified malt bill to give this tropical IPA its light color and allow the hops to shine. A variety of American hops are used to give Paradise Ale its characteristic hints of grapefruit, orange, and mango.
- Tropical Storm : Guava, mango, passion fruit sour. Made for the Beer Cellar in Portland, ME.
- Bellwoods / Evil Twin - Fruit Helmet - Guava, Passion Fruit And Raspberry : Our first ever collaboration was brewed at our Ossington Ave brewpub with Jeppe of Evil Twin. We made a pale ale named Fruit Helmet and 5 years later decided to reinvent this beer. This 2017 version was brewed using lactose and fermented with guava, passionfruit, and raspberries. The result is a combination of beer and juice with a smooth body and huge aroma.
- Black Crack : Aged in Bourbon barrels, this specialty will have all of the rich malt flavor of its' base beer, our Buried Hatchet Stout, complimented by a caramel, woody sweetness and vanilla notes from prolonged contact with American Oak. Dark tobacco, medium char and hints of the original Bourbon make this hard to find release a real treat.
- LIBERATION Ale : Our Gluten-Free beer is here! This is a sorghum-based beer with honey and blackstrap molasses. We use malted millet that we toast on premise. Select hops are added to create balance to the sweet sorghum, and a special yeast strain which provides a nice fruity character. Finally, we steep elderberry and lemon balm to contribute flavors, while offering their healing qualities and antioxidants.
- Starve: Exhibit A : Starve is a new series of blended imperial stouts and/or barleywines aged in spirit barrels for various lengths of times to create a complex, one-off, incredible final blend. Sometimes they might be smaller blends, or experimentation with adjuncts, but this series will primarily showcase blended, barrel aged imperial stouts and/or barleywines. Each version will be labeled as an Exhibit “blank”. This particular blend clocks in at 13.2% and features a blend of 7x different spirit barrels containing 4x different brands aged for up to 19 months. 2x Laird’s barrels containing Unloved(our imperial oyster stout), 2x Buffalo Trace barrels containing a new imperial stout brand, 2x Maple Bourbon barrels from BLiS Gourmet containing a maple imperial stout, and 1x Laird’s barrel containing Circle of Wolves (our English barleywine). Insane complexity and a beautiful full body on this one. Notes of Hershey’s milk chocolate, maple syrup drenched pancakes, fresh vanilla beans, caramel, subtle bourbon, toffee, melted brownies, and more!
- To The Days Pale Ale : A single hop pale ale brewed with New Zealand Motueka hops. This hop has characteristics of lemon, lime and hints of tropical fruit. Using a single hop variety allows us and you to see what the hop is all about.
- Mighty Bison Brown Ale : "Our Flagship Beer" A dark American Brown Ale that's malty and complex with a hoppy finish. This is a Brown with atttude!
- Big Sound Scotch Ale : Big Sound Scotch Ale is dedicated to our good buddy Gino, the most Punk Rock Bagpiper you will ever meet, and the rest of the men and women of the Tampa Bay Pipes and Drums. Brown in color, Big Sound has huge notes of dark sweet toffee with underlying mild notes of coffee in the aroma. The flavor starts with a slight note of cherry and then opens into a goliath of malt character with notes of dark sweet toffee, coffee and mild notes of toasted bread in the finish. Big Sound Scotch Ale pairs well with Haggis, Highland Games, Huge Heads, Enormous pillows and of course Bagpipe Music.
- Aleph Null : American Rye Barley Wine. Infinitely huge ale using rye, Munich, and caramel malts with spicy, floral, and citrus notes that add complexity. Finishes dry with soft hop presence.
- Slippery Brit : Slippery Brit is a well balanced English Pale Ale. This beer is copper colored and has a marvelous head. Slippery Brit has aromas of caramel, nuts,and herbal citrus. Delicate hop flavors complement the brews nutty and biscuity malt backbone. Slippery Brit has a medium body and a smooth finish. 
- Brewer's Cut Kriek : Fruits have long been incorporated in the brewing of beer, particularly in Belgium. The brewing traditions of this stylistically prolific nation are the inspiration for Brewers’ Cut Kriek, a Belgian-style Brown Ale of subtle caramel and dark malt character aged with tart cherries from the Willamette Valley. The beer finishes clean and dry, with a hint of cherry pie enticing you back for more.
- Exit 17 Imperial Stout : Richly complex stout features roasted malts, toffee, dark chocolate, caramel, espresso and cocoa. We then aged the beer for two months in Dad’s Hat Rye Whiskey barrels, which infuses rye, oak and vanilla into this one-of-a-kind beer.
- Brownie Batter Stout : Milk Stout brewed with lactose, cocoa powder, cacao nibs, milk chocolate, dark chocolate, vanilla and of course, brownie mix.
- Squeeze Box IPA with Grapefruit : Beer lovers who enjoyed summer’s Goin’ Coastal IPA with pineapple will be delighted by Squeeze Box’s similarities in style and drinkability, but with the seasonally appropriate update of grapefruit.
- Dr. Funk Dunkel : Like Shaft, Dolemite and Blacula before him, guess who’s getting his own sequel? That’s right, Dr. Funk is strutting his way back to town for another go round. This Bavarian dark lager was a hit with all the ladies and fellas when the Funk was featured in the Showcase, so we've brought back the grand uncle of dunkel in his own seasonal six-pack.
- This Is Supposed To Be Fun : Smoked Peach Barleywine. Brewed with a dash of light caramel malt then conditioned for an extended amount of time on house-smoked peaches from our friend Ben @3springsfruit. Intense smoke upfront with a juicy overripe stone fruit acidity. Fall is finally upon us!
- Oktoberfest : Made using the best Canadian barley malts available – Superior Pils, Superior Pale, Vienna and Munich - Wild Rose Oktoberfest has a rich malt flavour. The complex sweetness from these specialty malts is well balanced with two Noble hop varieties – Tettnanger for bittering and Saaz for aroma and flavour.
- The Stowaway : Dark, Bavarian-Inspired Wheat Ale; Spritzy, Bright Effervescence Meets Deep, Fresh Bready Malt Richness; Aromatics of Plum, White Fig, Banana & Clove. Fermented in our Open Fermentation Vessel.
- Miles Away : Miles Away, brewed in collaboration with J. Wakefield Brewing in Miami, FL, is an American sour wheat ale fermented with J. Wakefield's house lactobacillus strain and Trillium's native mixed culture before being aged in wine barrels and re-fermented with passionfruit and guava. The result is an incredibly refreshing, fruit-forward wild ale reminiscent of a tropical cocktail. Pungent passionfruit and guava aromatics paired with an intense, thirst quenching tartness. Perfect for a hot summer day and leaves you dreaming of a beach miles away from home!
- Blue Top Porter : Blue Top was traditionally brewed to nourish the working class of Skagway and still is brewed to rejuvenate today. Our porter exhibits stout-like characteristics and is near-black in color. Hints of roasty dark chocolate provide a robust flavor and smooth finish.
- Blacklight Poster : When it comes to brewing we love to work with complementing flavors. When we received a fresh and super dank shipment of Azacca hops that was throwing massive amount of pineapple flavor and aroma, we decided to brew a beer based off that. Playing on the theme of roasted barley and hops in a black IPA we took around 40 lbs of pineapple and lightly grilled it over hardwood. This slightly caramelized and charred fruit was then added directly to our primary fermentation. We hopped this beer heavily with Azzaca and then dry-hopped it liberally with Azzaca as well. It's like a cross between a fruited stout, an IPA and a porter. It's perfect for warmer weather and we think you'll enjoy it.
- Fantasia : A barrel fermented beer using fresh peaches from Baird Family Orchards. The Fantasia is firmly tart and hugely aromatic with a character not unlike Belgian fruit lambics. Minimum one year on oak before an extended bottle conditioning prior to release.
- Samuel Adams Nitro Coffee Stout : DARKLY ENTICING – smooth, velvety cream cascades into a jet black brew revealing a rich, robust character. The dark roasted malts create notes of bittersweet chocolate with hints of dark fruit while the Sumatran & Indian Monsoon Malabar coffees develop a deep roasty dimension.
- Saving Daylight: The Beard : Saving Daylight Citrus Wheat variant designed by Brewmaster Jonathan Newman - infused with Passion Fruit + Galaxy Hops! 
- See, What Had Happened Was... : Our tribute to the 90s and the Fresh Prince! 8.5% DDH Imperial New England IPA brewed and dry hopped at over 5 pounds per barrel of Citra and Mosaic with notes of citrus, blueberry, grapefruit and lime.
- Positive Selection : Oat Saison. Fruity Spice, Herbal, Soft, Dry.
- Speedway Stout - Thai : Inspired by our brewers' love of the assertive, bright flavors of Thai ingredients, this intensely flavored brew incorporates the vibrant quality of several Thai-inspired ingredients into our classic imperial stout. Powerful notes of citrus, botanicals, and tropical fruit balance the stout's rich chocolate, caramel, and coffee character. The result is an amazingly flavorful and complex beer that pays tribute to the flavors of Thailand.
- Trip To Burlington : There is one thing that was always on my mind when I would take my trips up to Burlington late in the year to visit Eric at school, and that was STOUT. Whether it was the snow, or the fact that the sun set at 4 pm, Stouts were the perfect remedy for those long cold nights. So in honor of the good ol' days, Strong Rope's foray into the dark side of beer is our deliciously creamy and roasty, Trip To Burlington. Trip to Burlington is a full roasted and full bodied stout, with notes of chocolate, coffee and a bit of dark fruit. Well hopped to add an extra layer character and bitterness, this stout is worth the trip!
- RedX : A simple Red X identifies the German malt blend that we fell in love with back in 2014 and it also symbolizes our secret, shameful, hoppy obsession: our brewer’s quest for a hop forward red ale that deserved to bear this standard, the Red X, indicating to everyone far and wide, “Yes, I do love IPAs, and Yes, they do come in Red now.” Buried under a scandalous amount of Myrcene laden hops, robust notes of toast, toffee, and stone fruit struggle to gain your affection, but it is the hops you’re after. Bear your mark hop head, for the Red X is a symbol of your luponic love affair as well!
- Legalize Hemp Ale : We utilized our wood fired oven to toast these hemp seeds, bringing out their nutty aroma and flavor. This toasty nutty aroma hits your nose above the glass, and coats the tongue with the first sip. The subtle but complex maltiness allows the hemp seeds to dominate but supports them with deep golden toffee notes. Finally, the dark fruit and molasses flavors of the Trappist style yeast lead to the finish. This ale was brewed to support the movement to legalize industrial hemp with Proposition 91 coming up for a vote this November. Legalize hemp for food, fuel, and fiber!
- Duke's Cold Nose Brown Ale : A mild brown ale named after Duke, the owner's late, beloved boxer. This local favorite has hints of chocolate and caramel with a smooth nutty finish. A well-balanced, flavorful brown ale that's perfect for any time of year.
- Corrosive Haze : Corrosive Haze is a Sour IPA, fruited with Cherries, Blueberries, and Strawberries.
- Angels With Filthy Souls 2014 : Our first dark offering; This Porter is laced with lactose sugar to balance the tremendous amounts of Amarillo hops contained within. 
- The Witty Traveller : The Witty Traveller has finally arrived! In his trunk, the distinguished beer flavours of the world. With a top-hat in hand he's stopped in Railway City to share his knowledge and adventure. With spices from the East, the fruits of the South, and yeasts of the North enveloped in taste and aromas of far flung places. 
- One Louder : An homage to the hop, our take on DIPA showcases Chinook and Nelson Sauvin hops. The Nelson contributes the white-wine-like fruitiness to flavor and aroma, while the Chinook contributes pine and grapefruit notes.
- Citra Pale Ale : Pale Ale that combines bright citrus and tropical fruit characteristics from four additions of Citra and Cascade hops. Enough maltiness to balance out the hops with a clean refreshing finish.
- Virginia Black Bear - Chai Tea : Chai Tea Virginia Black Bear features the dark chocolate and distinctive hop flavor of Virginia Black Bear melded together with the delicious spiciness of Indian Chai Tea. 10 specialty grains comprise the backbone of the beer and the Indian Tea provides the soul. Tasting notes of dark chocolate, cinnamon, clove and vanilla create a uniquely innovative Russian Imperial Stout. Abundance is upon us. Pray for more.
- 4 Calling Birds : Spiced Strong Dark Ale. The Twelve Days of Christmas series continues! We took inspiration from the traditional winter warmer for our fourth verse, integrating gingerbread spices into a robust dark ale. Notes of licorice & banana bread mingle with dark fruit, molasses and bitter chocolate for a perfect cold weather sipper!
- Chocolate Moose : Our dark chocolate stout with a distinctive chocolate flavor derived from a special blend of 5 different malts. Don’t let the IBUs fool you, this is a very smooth stout!
- Wild Oats Series No. 8 - Bog Father Eastern Ontario Gruit : Beau's is proud to present the most recent evolution of a new style of beer we call the Eastern Ontario Gruit. Prepare yourself for a full-out assault on your palate! Intense flavours and aromatics of raisin, hazelnut, herbal bitters, burnt toast, pisang goreng, cola and bubblegum are achieved through the alchemy of a double-mash of dark malts, Belgian trappist ale yeasts, and bogmyrtle hand-picked in the Eastern Ontario wilderness.
- Curiosity Twenty Seven : Our curiosity continues with an intensely kettle and dry hopped Double IPA primarily featuring Amarillo! The base of Twenty Seven is straightforward to allow the unique and intriguing characteristics of Amarillo to shine. We experience flavors and aromas of grapefruit flesh, tangerine, and peach. It evokes memories of 22… Our house yeast provides a familiar character and intermingles beautifully with this precious and distinctive hop. Despite its focused and intense flavors, this Curiosity drinks softly… dangerous and beautiful.
- Lake George's IPA (Wave #02) : An IPA built to change with our hometown's four distinct seasons. Lake George's IPA will come and go in waves, each time with a different hop profile. Wave #02 utilizes whirlpool additions of Mosaic and Moteuka and a heavy Motueka dry-hop to achieve notes of blueberry, papaya, tropical fruit, and lemon zest.
- White Birch Espresso Imperial Stout : This stout starts with a blend of dark malts. It’s then fused with freshly roasted and brewed espresso courtesy of our friend John Anastas. The result is a complimentary blend of roasted malts and coffee flavors with a smooth finish. It’s sure to satisfy your inner coffee fiend.
- N. Broadway Black IPA : The illegitimate love child of a Porter and an IPA finds balance between citrusy, resinous hops and rich, dark malts resulting in a smooth, black ale. Named after our beloved North Broadway location, where the brewery continues to thrive. 
- Long Ben E.S.B. : The Brew Crew: top chefs of northern Delaware representing fine establishments like Two Stones, World Cafe Live, Ulysses, Chelsea Tavern, Home Grown, Ernest & Scott, Cantwells, Toscana, Krazy Katz, Two Fat Guys, & Stone Balloon Winehouse. Selected Charity: Meals On Wheels Delaware — providing hot, nutritious meals to Delaware's seniors for more than 30 years. Learn more or volunteer at mealsonwheelsde.org The Brew Collaboration Brew for a Good Cause #2 of 4 for 2013. The brew's backbone is an Extra Special Bitter recipe developed by 16 Mile and Copper Dragon Brewery of Yorkshire England. The brew team dumped chunks of fresh pineapple, mango, and some "tropical" hops into the mash—that's right, well before the boil to impart tropical flavor and aroma. Also, as Long Ben was fermenting away, we added pineapple and mango juice, as well as an elderberry slurry for a bit of tartness. The final touch was dropping in oak spires which had been soaking in white runt made by Zach King & Co. at Delaware Distilling Company in Rehoboth and spiced rum to add some tropical heat to this summery brew. The driving theme for this brew was to bring to life a famous pirate from this part of our world. John Avery served in the British Navy before becoming a buccaneer. Avery landed in Rehoboth after fleeing the British, where he settled on 300 acres and also where he was eventually buried. Avery was known as she "King of Pirates" and "Long Ben" among his seafaring peers, and our Brew Crew created Long Ben E.S.B. to pay tribute to the brew Avery would have taken off his ships that sailed up from the islands. Enjoy a pint or two of Long Ben ESA and take a quick trip to the islands—fresh rum and tropical fruits—all embraced by this crisp, refreshing British ale.
- Ambleside : Tangerine color, grapefruit aroma, bready malt falvor, medium-dry body.
- Big Tilley Chile Red : This beer features a variety of Anaheim pepper new to Crossroads Farm, Big Chile. Sounds good, right? Well, this variety is super flavorful when it turns a ripe red color; it almost tastes like a fruit! This fresh chile flavor takes center stage in this brew, with fresh picked chiles from the field added directly to the boil kettle. Equal portions of smoked and also fire roasted Big Chiles were added to steep in the kettle after boiling to add depth and complexity to the chile profile. This spectrum of flavors and chile oils dances above the base of a softly malty, but not too sweet red ale. Finishing with a pleasant tingle on the taste buds, this new chile creation will get your party started this Halloween!
- Big Rock McNally's Extra Ale : Sweet and hoppy, caramel and dark fruity plum notes.
- Domino : Light-bodied German-style Pilsner lager with a well balanced noble hop presence leaning more toward the aromatic side. Floral, earthy and spicy noble hops paint a beautiful portrait in a style many consider to be the first beer to truly showcase the range & complexity of hop flowers.
- Cocoa Retribution : A full bodied, single barrel bourbon aged imperial stout with smooth roasted malt flavors and rich aromas of espresso and dark chocolate. Aged for 6 months inside charred Kentucky white oak bourbon barrels with cocoa nibs to add the natural vanilla and caramelized sugar flavors of the wood, and the bittersweet chocolate, and slick, velvety mouthfeel of the cocoa to the beer. Its time to savor some...Sweet Justice.
- Short's Bellaire Brown Ale : Bellaire Brown is our flagship Brown Ale. Full-flavored with notes of sweet caramel, chocolate, and toasted malt, Bellaire Brown is balanced with a mild and earthy hop quality. This ale is dark and rich with a medium body. It’s hardly classifiable as a brown, but is certainly considered a delicious masterpiece.
- Mild At Heart : ‘Dark Mild’ English style session beer with the ABV and color of an Irish Stout but a nuttier, softer mouthfeel from crystal and chocolate malts, and a finishing dryness from aroma hops. Brewed for drinkability to extract the maximum complexity and flavor from a relatively ‘light’ beer, warm fermented to accentuate dark fruit and roast malt notes. Conceived for cask and perfect served as a Real Ale. Hopped with Cluster and Perle.
- Citrus Wizard : This guy is an American red ale aged on orange wood, Spanish cedar, dry-hopped with New Zealand Motueka hops and aged on some citrus elements. What that all means is that this is a citrus bomb. Huge grapefruit flavor! Tasting room exclusive. We're selling growlers to go as well, both quarts and gallons! Come stop by and see if the wizard puts you under his spell.
- Quaker IPA : Hop heads rejoice! A clean Pilsner malt backbone leaves the palate free to enjoy intense hop flavors. Lemon citrus, black pepper, grapefruit, orange, and passionfruit give way to a floral, herbal finish. A grain bill containing 15% flaked oats provides body to the beer and aids in head retention, which is crucial to driving hoppy aromas to your nose to provide the maximum hop experience.
- Reposado Negro : Reposado Tequila is known for its oak aged, smooth complexity. This is our interpretation of the fine Mexican spirit. Reposado Negro is A Black Wheat Wine aged in Tequila Barrels. A marriage of sweet alcohol warmth, smooth bready texture, and roasted malt “charred” flavors, this jet black brew will have you swearing you are sipping a top shelf tequila.
- Labrynthian : Blended Dark Saison brewed with a blend of wheat saison fermented in our concrete Egg with our house Emptiness culture, and dark saison fermented in stainless steel with our magickal saison yeast. Comfortingly disorienting. 
- Oatmeal Stout : This dark brown beer is medium-full bodied and possesses a chocolate character without the harsher roasted flavors of a stout.
- Free Rise - Nelson Dry Hopped : This special edition of Free Rise, one of our signature farmhouse ales, highlights locally sourced Danko Rye from Valley Malt and Nelson in the dry hop. A zesty lime & citrus hop profile is balanced with subtle, nutty malt character and a delicate black pepper spice. Light in body, with a clean, bone-dry finish, Nelson Dry Hopped Free Rise is a welcomed addition to our family of farmhouse ales. 
- 24 Steps : Blended Blond Sour without fruit added.
- Amarillo Dry Hopped Sunshower : Sunshower is our Super Saison, a high-gravity farmhouse ale inspired by the ethereal refreshing mid-summer moments when we experience both rainfall and the heat of the sun in New England. Similar to our flagship Trillium, the mouthfeel is light and effervescent with a bright, golden hue. We allow the fermentation temperature to free-rise, resulting in a dry beer with strength and complexity. Layers of pepper and earthy characteristics that play nice with the crisp, smooth backbone of a pilsner and wheat malt bill. 
- Velvet Hammer : A tribute to our favorite Brewmaster, Greg Matthews, the Velvet Hammer appears as a dark, ruby reddish-brown ale beneath a sheath of protective off-white foam. It is malt-forward with elements of caramel and the sweetness of light brown sugar, balanced nicely by a combination of floral hops and a noticeable alcohol bite. It's a sturdy brew with a smooth character which belies both an inner strength and a slightly full body, along with a moderate bitterness to round out the taste.
- Let There Be Light : Who says lighter beers have to be boring? Let There Be Light is Wild Heaven’s first “sessionable” beer, coming in at only 4.7%, yet FULL of flavor. Starting with both barley and wheat, we added two rare hops—Nelson Sauvin and Sorachi Ace—along with a bit of orange peel, to create a complex beer with a citrus note that will change the way you think about “light” beer.
- Bounding Main : Brewed with 5.5 pounds of hops per barrel, Bounding Main has a soft and pillowy mouthfeel, a gentle bitterness, and aromas of tropical fruits: mango, guava, citrus — all with a hint of dank in the background. Like many a stormy wind, Bounding Main will blow you away.
- Mo-Co : A small batch sessionable IPA brewed with Mosaic and Columbus hops in the kettle and the dry-hop. Clean, with notes of berries and tropical fruits.
- 3 Floyds / Mikkeller Risgoop (2012) : Behold! The fifth collaborative effort of Three Floyds and Mikkeller. This complex ale is just the beverage for canal boat trips in Copenhagen or the brutal Chicago winter. This year’s offering will be brewed in both Europe and in Chicago. Look for both editions and the subtle differences in each. Cheers and thanks for supporting craft beer.
- Mad DUB : This complex brown ale has aromas of chocolate covered raisin and fig. Caramelized banana and roasted coco bean notes dillydally on the palate.
- Congress Street IPA : Our flagship American IPA highlights the distinctively aromatic Australian Galaxy hop. The nose bursts with pine, citrus rind, melon and pineapple. Pronounced flavors of peach, clementine, and tropical fruits are accentuated with moderate bitterness and balanced by a light, biscuity malt character. 
- Agria De La Casa Saison : Agria de la Casa, our sour house beer, brewed with oats, rye and spelt and is mix-fermented with a blend of Saccharomyces, Brettanomyces, and bacteria then oak aged prior to blending for packaging. The majority of this first blend is a low-gravity Saison inspired ale which was foeder aged for four months, resulting in a dry and refreshing beer with prominent acidity reminiscent of lemon and white wine. The remainder of the blend is a young version of the same beer brewed with more hops and rested in red wine barrels for a short time. The blending of the two balances the acidity and provides a more complex flavor profile.
- Fallen Angel Imperial Oatmeal Stout : The Fallen Angel lies in wait for its' next captive. Pushed to the extremes; blacker than the blackest black! Thick, rich, sweet and chocolaty. This is a big stout. Full bodied, full flavored- very complex. The viscous brew clings to the glass as the dark-brown, full head refuses to give in.
- Landlady Ale : With a malt character that typifies the finest Yorkshire ales, this smoothly rounded Extra Special Bitter provides a depth of flavor, an aromatic fruitiness, and a flowery, hoppy elegance in the finish. Using a combination of the highest quality English pale and crystal malts, as well as wonderfully aromatic Styrian Goldings and Kent Goldings hops, this refined amber ale is deeply satisfying. (ABV 5.4% IBU 45) - Extra Special Bitter
- Beechwood Brown : Brewed with Munich malts and beechwood smoked barley from Germany and finished with a healthy portion of rolled oats for a creamy texture. This beer has a complex, malty body with a subtle smoky character.
- Hop-A-Tact : An India Brown Ale, brewed with Vienna, oats and dark wheat. Hopped intensely with Simcoe, Lemon Drop, Centennial, and Chinook.
- Color & Grain - Double Vanilla, Double Chocolate : Color & Grain: Oak & Chocolate is an Imperial Stout that presents with a deep impression of complex and layered chocolate. Best served at cellar temperatures to reveal all the details! Aromas of chocolate malt balls and bruleed sugar fill the glass. Luxuriously silky mouthfeel reminiscent of melted chocolate bars with an oak derived vanillin subtlety. The flavors continue to extend with subtle roasted malt, then dark, charred figs, dates, then finally with a rich molasses and dry, dark cacao. A minimal, balancing bitterness with subtle warming alcohol reveals a finish expressive, bright and fruity lightly roasted coffee notes. The palate ends with oak tannin structure. Share this stout as a deep, dark and decadent treat to commemorate your own milestone achievements!
- Sad Panda Coffee Stout : The rich, black-as-night color with the creamy, tan head tells you that the beer in your glass is a stout through and through. However, after you raise the glass to your nose, you will know that Sad Panda is something special. Aromas of vanilla and chocolate are prominent yet balanced with the malt sweetness and caramel aromas expected in stouts. Your first sip introduces the complex combination of flavors you might expect in your favorite coffee – the balanced sweetness of vanilla and dark chocolate flavors with a smooth coffee bitterness at the finish, this drinkable stout hits all of our sensory pleasure points. The sweet balanced finish invites another sip. Just one more….
- Smoked Peach Dark Saison : Our friends from Trophy Brewing in Raleigh joined us in Greenville to brew up a special collaboration beer…a smoked peach dark saison. This complex beer has a lot of different elements that have come together brilliantly. Dark rye, acidulated malt, Mosaic hops, lactose, and peaches smoked with Buffalo Trace Bourbon barrel wood have created this delicious saison perfect for these colder months.
- Passionfruit Wheat Ale : Passionfruit Wheat is a classic American style wheat beer made with fresh squeezed passionfruit from Da Lat, Viet Nam. We have sourced the finest passionfruit from VN farmers and infused it at the peak of freshness. PSBC uses only 100% fresh juice, no extracts or flavorings.
- Slatemaker : A malt driven American stout low in alcohol but still rich in flavor. Brewed with a variety of roasted malts for a chocolaty, coffee-like finish. Lightly hopped as to not hide the flavor and complexity of the malts. 
- Funktoberfest : Funktoberfest is a Octoberfest style beer with a twist. Octoberfest is a traditional lager that is brewed at the end of spring and stored the whole summer until that autumn where is brought out to be consumed along with a traditional celebration. Funktoberfest is slightly different as it is brewed as an ale with no lagering period, cause hell, everyday your alive and breathing should be a celebration and who wants to wait to drink an awesome beer anyways. It has a medium level of bitterness with a wonderful malt complexity and a slight toasty/nutty flavor with a touch of sweetness and a dry finish.
- Trafalgar Maple Bock : Maple Bock is a uniquely Canadian twist on the German tradition of Bock brewing. Pure Ontario maple syrup is added after fermentation and then the beer is lagered for a full two months to achieve full strength and flavour. A rich, dark beer with a distinct tang of maple.
- Hearts Collide : Brewed using nine different malts. This brew is full bodied and aggressively packed with flavour, yet extremely smooth. Dark as the night, with rich flavours of roasted coffee and chocolate, and rounded out with an assertive bitterness. Serve this one at cellar temperature to let the malt flavours shine. 
- Milkshake IPA - Rose Panna Cotta : Brewed with oats and lactose sugar. Conditioned atop heaps of luscious Madagascar vanilla beans and delicate/floral rose petals. Intensely hopped with Mosaic and Citra. Big notes of pink grapefruit, blueberry sorbet, and sun drenched springtime meadows...
- Serendipity : Severe Drought, we shared the farmer’s horror as Wisconsin’s cherry crop failed! Dan bought what cherries he could. The Apple crop fared better. Then joy! A grand Wisconsin cranberry harvest. What will Dan brew with Apples, Cranberries and Cherries? Oh my! You hold the happy accident of Wisconsin’s favorite fruit aged in oak with an almost magical wild fermentation. Serendipity is a wondrous celebration that sparkles your senses and dances across your palate. A kaleidoscope of flavor discovered by accident in a sour ale! 
- Sahalie : Sahalie is the flagship brand of The Ale Apothecary, brewed year-round of malted barley & wheat and Goschie Farms Cascade Hops. Hop bitterness and acid produced by our house lactobacillus culture provide the balance to the malt and oak structure of the beer. She spends up to 1 year in our oak barrels during a long, relaxed fermentation prior to a month-long dry-hopping (yes, in oak barrels!). 
Our sensory experience is a tropical & citrus fruit nose of apricots, pineapple, and orange produced from yeast esters and hop oils. The palate is tart and pithy, combining earthy and herbal undertones that evolve as the beer warms & opens up within your glass.
- Blood & Guts : This black ale fermented with our own sour culture on top of second use cherries in the traditional style of a kriek lambic is a free will original. Notes of chocolate and a mild roasty character are combined with the funk and complexity of wild yeast, and balanced by a clean sour note that follows you through the finish, where the cherry character shines through. Pair this beer with Korean bbq or rich creamy pasta dishes.
- Single Batch Series - 2011 Grand Crüe : A unique blend of Bourbon Barrel Aged Full Throttle Double IPA, Barleywine, and fresh Frye's Leap IPA. This beer is complex from both the malty backbone of the Full Throttle and Barleywine and the assertive hoppiness of Frye's Leap. This is a one time blend.
- Schwartz Ein Lager : A crisp dark lager beer, with flavors of roasted malt without the associated bitterness.
- "Ray Brown" Porter : This brown porter was made with 2-row, Munich, caramel, and chocolate malts with Willamette hops to create a smooth winter seasonal: nutty and earthy with chocolate notes, just the way longtime loyal customer Ray Brown likes it.
- Double IPA V2 : Our second interpretation of the ever popular DIPA. Unlike our first version, for this beer we move away from the piney, dank bitterness and get into the bold, fruity aromatics associated with modern IPAs. Think you don't like IPAs? Try this one.
- King Fergus Southern English Brown Ale : A royal marriage of malty, nutty, dark fruit notes balanced with an earthy hop. This beer pays homage to our brethren across the pond.
- Stone White Geist Berliner Weisse : Our tartly refreshing, kettle-soured Stone Berliner Weisse gained its orthodox sour and acidic character from a specially selected Lactobacillus strain sourced from local Berlin cultures. To ensure a properly Stone, and therefore iconoclastic, Berliner Weisse, we upped the ABV to a healthy 4.7% and hopped the beer with new German varieties, Huell Melon and Callista. This beer embodies the liveliness of summer with the fruity tang of apricots and the sweetness of ripe honeydew.
- Raspis : Dead languages can inspire very lively beers. Raspis is a Brown Sour Ale named after the Late word for "raspberry," which this beer knows a lot about; its flavored with heaps of them, after all. Full of sharp and zesty flavor and flowing with dark and cloudy fruit, Raspis is complex and worthy of your time, much like the language it pays homage to. Respect thy etymological elders, drink good beer.
- Triplicity Belgian Tripel : Taking the Tripel concept a step further, we've utilized 3 malts, 3 hops and 3 sugar sources. Fermented with Lillooet wild sage honey, this Belgian Tripel is effervescent with complex aromas of honey and spice followed by flourishes of fruit and a perceived dry finish.
- Keys To The Asylum: Barrel-Aged Black Eye : We've taken our award winning Black Eye Imperial Porter and aged it for 8 months in a Cabernet Sauvignon barrel. The result far exceeded our expectations: think dark fruit, currant, cherry and chocolate with a hint of vanilla from the barrel.
- Old Morgantown Amber : Traditional American Amber Ale with a seductive auburn complexion. A mild caramel sweetness leads to an exquisite balancing act of malt and hops before a smooth and pleasantly floral and earthy ending.
- Contemporary Works - Mono : An evolution of the 'single hop' phenomenon. While Galaxy is featured on the label, the concept here is to showcase this headliner in it's greatest form possible, and if you ask me every hop is better when supported by others. So accents of Centennial & Sterling to widen the frequency and crank up the volume of bright tangerine, grapefruit, and fresh grass.
- Tectonic Event : An ode to the West Coast style IPA made famous by San Diego breweries. A refreshingly simple malt profile makes way for a highly complex and bitter showcase of what hops can do.
- Red House Ale : Red House Ale is an intense amber colour, with a full flavour body. Overtaken by a citrusy hop character and a fine floral aroma, this Ale is pleasant and thirst quenching - yet deceptively complex.
- Hazy Coast IPA : Reminiscent of those days on the coast where there is a blanket of fog rising up from the tides, this New England-style IPA will envelop your palate like a mist with its pillowy body and tongue coating stone fruit hop character. Brewed with North Carolina malted Appalachian wheat from Riverbend Malt House.
- Murray's Angry Man Pale Ale : Murray's Angry Man Pale Ale is a unique mix of classic UK and US pale ale styles. The best of British and German malts balances the huge citrus hop aroma and flavour strongly influenced by generous use of New Zealand-grown Motueka and Pacifica hops. A brilliant light-golden colour, Murray's Angry Man Pale Ale has a full-bodied finish and complex character. This is well balanced with biscuity/toffee flavours from selected caramalts.
- Jet Trash : Buckle up and head out West. This is a straight up West Coast IPA. It boasts super-sized C-hops aromas and bags of citrus fruit flavour, backed up with a toasty malt base.
- Jubilicious Holiday Ale : This hearty ale is a holiday season celebration favorite. It has a ruby red color and complex spicy taste that makes it a true “winter warmer.” The intricate flavor profile is derived from blending the finest Briess roasted malts and specialty grains without adding any outside flavorings or spices.
- Vintage 2014 : Vintage 2014 is a blend of 2-year aged XX Bitch Creek Double ESB and fresh Coming Home 2014, the brewery's Belgian-style quad. The XX Bitch Creek has aged beautifully, with its hop character mellowing and plenty of chocolate and caramel malt coming to the forefront. The Coming Home quad was blended in super fresh and brought in its fruity-spicy combination of peppery Belgian Trappist yeast and a generous core of raisin and fig notes.
- Gallivant : Some of life's great experiences happen when exploring without purpose or direction. Seeking to please and entertainment, Fernson's Gallivant has a multitude of tropical fruit aromas and flavors that include: mango, apricot, peach, pineapple, and passion fruit. Enjoy the journey. #findfernson
- Tweedle Yum : Tweedleyum, a Hefeweizen made with strawberries, combines the natural banana esters derived from an authentic German Hefeweizen yeast with 100% natural strawberry puree to create a slightly sweet, easy drinking fruit beer. The refreshing nature of the fruit combinations in this new seasonal promises to be something on which even Tweedledum and Tweedledee can agree.
- V. Latte : Oated Imperial Stout with cocoa nibs, vanilla bean, lactose & Blue Heron, a fruity, bright espresso blend courtesy of our friends at Crema Coffee Roasters here in Nashville.
- Black Braggot : Hand-bottled and hand-labeled, the Gladstone Black Braggot has been aged in bourbon barrels for a year, giving it a deep, dark body and a sweet, smoky aroma. This is a heavy, strong, winter warmer of a beer made with 330 litres of BC honey from Comox Valley distillery, Wayward Distillation House. With the well-timed release date, it makes a perfect gift for the craft beer enthusiast on your list.
- Belgian Brown : Like most beer lovers have experience, until we were first introduced to Belgian-style beers we had no idea that beer could have so many big, bodacious flavours and aromas. When designing this Belgian-inspired ale we blended a mixture of Brown and Crystal malts with a touch of Roasted Barley to bring some depth. Juicy and fragrant Tradition and Chinook hops were added with a deft touch to bring a balancing bitterness to all this malty sweetness. Fermentation was made possible with a true Trappist Ale yeast strain creating classically spicy and fruity characters.
- Abbey Ale : Abbey Ale honors the ancient tradition of monks who perfected the art of brewing beer to support the monastery and their "liquid bread". We offer up our support and thank them with a 25¢ donation to St. Joseph's Abbey with every bottle sold of this heavenly brew. Dark amber in color, the aroma of caramel, fruits and cloves invites you to contemplate the creamy head of this "Dubbel" or double ale. Abita Abbey Ale is a malty brew, top-fermented and bottle aged to rapturous perfection.
- Starlit : Starlit is a true, robust English porter. Medium bodied and full of dark chocolate and caramel malt flavors. The finish is dried with lingering flavors of star anise and slight warmth of alcohol.
- Impossible Geometries : Impossible Geometries is more than meets the eye. It tastes like pineapples and papayas, yet it contains no fruit at all. It feels juicy when it hits the tongue, yet it's made without any juice. It has a distinct tropical flavour, yet it's brewed in oh-so-temperate Toronto. No matter how you look at it, this is one refreshing paradox.
- Brewmaster's Black Lager : This unique style of beer was introduced for all those who love their beer a little darker and a little bolder. Rich in colour & flavour, our Brewmaster’s Black Lager finishes crisp and clean.
- Embrace The Funk - Belle Meade Express : A dark sour ale created exclusively for Belle Meade Express. This blend of 14 to 18 month old Cognac, Sherry, and Bourbon barrel aged sour beers is layered with dark fruit and funky character. Enjoy this small batch release at cellar temperature.
- Imperial End Of Days : So maybe their calendar wasn't the best judge of when the world was going to end but damn, those Mayans made a mean hot chocolate. With that as our inspiration we imperialized our old friend End of Days. That means more malt, more cacao nibs, more vanilla, more cinnamon, more ancho & guajilllo peppers and more virgin sacrifices (kidding, totally kidding). The resulting brew has a big rich body, notes of dark chocolate, vanilla, cinnamon and a slight spicy kick on the finish. It is delicious right now or you could stash it away in your temperature controlled resting place until the next time the world ends.
- Ariana Imperial Pale Ale : A refreshing, full-bodied, and full-flavored Pale Ale featuring just out Ariana hops. Teeming with flavors of wild berries, late additions of Ariana add pleasant fruit notes without contributing to an overpowering bitterness. A Pale Ale with a berry pop, perfect for summertime sipping.
- Dunkelweizen : Traditional dark wheat beer originating in Bavaria. Chocolate, banana bread, and clove in the nose and palate. Fruity, spritzy finish.
- Double-Wide I.P.A. : The classic India Pale Ale is a traveler’s beer, aggressively hopped to withstand the long, hot ocean voyage to the British East Indies. Our Double-Wide I.P.A. also travels well, and is right at home in the most exotic ports of call of the Midwest. While this modern-day prairie schooner may not resemble a graceful sailing sloop, our liberal hopping regimen does make her virtually “twister-proof,” with toffee and caramel notes balancing out the lingering bitterness. Enjoy this beer fresh to best appreciate the complex blending of hop aromas, ranging from minty to citrusy, with subtle hints of pine.
- Hall And Oatesmeal Stout : Smooth, rich, and sultry, just like it’s namesake. Hall & Oatesmeal stout is a fall seasonal made for sippin’ on cool days and chilly evenings. Oats provide a silky mouthfeel that blends magically with the rich dark-chocolate flavor with a dry, subtly spicy finish. Moderate alcoholic strength, full flavored, medium bodied with a dry finish for maximum drinkability and enjoyment. Private eyes are watching you…
- Thai Me Down : This dark lager has been infused with ginger and chilies. Smooth, rich with a hint of heat at the end.
- Threshold IPA : This IPA is a hopslosion with a focus on Chinook hops for a piney kick to your mouth hole. Also, you’ll be able to enjoy a grapefruity citrus aroma karate chopping you in your nasal cavity.
- Five-A-L IPA : Little Scrapper IPA dosed with fruit peels and Warrior dry hops.
- Slim Series IPA “Limited Edition” Summit - IPA #18 : Another brew out of our Slim Series that features Summit hops. Orange and tangerine notes, along with a little grapefruit from some Cascade hops, makes this a cant miss American IPA.
- Nitro Shake : Our twist on the traditional robust American Porter, Shake Chocolate Porter is dark black in color with rich, sweet aromatics and flavors of dark chocolate, coffee and caramel. This unique brew blends five different grains, including Chocolate Wheat, that along with cacao nibs create a devilishly delicious chocolate finish with a velvety mouthfeel.
- Dark Woods : A blend of 8 different barrel aged beers, including but not limited to our Stout, Porter, and a few seasonal beers (on the dark side of things), a majority coming from french oak barrels previously holding red wine from Cisco's Nantucket Vineyard, adding oak character. This beer is unfiltered, so some sediment is normal. It has been inoculated with brettanomyces (a wild yeast). Rich and malty with a slight tartness and a mild, intentional, "farmhouse funk" provided by the wild yeast.
- Ravaged By Vikings : Rich caramel malt sweetness is beaten over the head with bright, fresh American hop flavors of grapefruit citrus, pine and tropical fruit in our double IPA. This beer is the bigger, more successful brother of Kidnapped by Vikings.
- Be Cherry : BeCherry is retired. Barrel-Aged BeCherry is available in very limited quantities. Barrel-Aged BeCherry is a Belgian Dark Strong Ale aged on top of 400 pounds of Door County Tart Cherries and further aged in Port barrels.
- Double Shot - Batch 500 : This batch of Double Shot was crated in commemoration of the 500th brew on our 30 BBL Brewhouse in Monson. It was brewed not only to mark this celebratory occasion, but with character of the current season in mind. Incorporating a blend of our favorite Indonesian and Colombian coffees, Batch 500 pours pitch black and decadently in the glass, emanating flavors and aromas of milk chocolate, dark fruit, and coffee mousse. It is wonderful and rich; perfect to enjoy as a digestive after a big holiday dinner. It is, in our opinion, an example of what is possible with careful selection of ingredients paired with focused brewing execution. Please enjoy this bottle fresh and use it as an opportunity to reflect on your own cherished moments.
- St. Feuillien Brune : This brown ale has a marked ruby brown colour with a generous and lasting head. It has a distinctive aroma reflecting the wide range of ingredients used in its production. The fruitiness resulting from its fermentation blends harmoniously with a dominant liquorice and caramel flavour. The body is decidedly malty. The bitterness is the result of a complex alchemy between the fine hops and special malts used. These give St-Feuillien Brune a typical dark chocolate appearance. This beer creates an endless variety of sensations with a lingering taste and powerful aroma.
- Hazy IPA : Seeking out some haze? pFriem Hazy IPA has tropical aromas of clementine, peach, strawberry, mango, and papaya, and juicy notes of grapefruit, white grape, and whipped citrus. Creamsicle meringue rests atop a mysterious body of grilled mango and haze. If you’re looking for haze, you’re in the right place. Clearly!
- Black Jacques : Black Jacques is a twisted and complex beer that will try and thwart description at every turn.
- Newport Storm - Chloe (Cyclone Series) : Finally an Extreme IPA for the hophead!!! Named after a brewery niece, craft brew lovers repeatedly ask us to remake Chloe, our Imperial IPA. We dry hopped Chloe with loads of the hop Chinook that lent a wonderful grapefruity character to the brew! Cherish any bottles you can find. PROST!
- Us & Them : Pineapple, Yellow Life Savers, Grapefruit Pith, Hazy, Zested Lime.
- Dynamite & Roses : This big hoppy IPA is brewed and dry-hopped with Summit and Amarillo hops and fermented with Belgian Golden ale yeast, creating a complex combination of flavors and aromas that will amaze your palette and keep you coming back for more!
- Skully Barrel No. 33 : Wild dark sour pumpkin ale aged in oak wine barrels.
- Byronic Brown Ale : “Byronic: alluringly dark, mysterious, or moody” – Oxford Dictionaries.
- Sir Pantaloons : This fancifully-named, second member of our accidental “Pants Series” is a Belgian Dubbel with a mahogany color. The flavor leads with a sweetness and hints of chocolate, finishing dry, with a complementary fruity aroma from the Belgian yeast. As knights go, it’s a tasty one.
- Old Guardian Barley Wine Style Ale (2014) : This year, the changes were minor; we used Nugget instead of Magnum for the bittering hop, and we replaced the CTZ hops in the whirlpool with Cascade to give the beer a pinier, more citrusy note. It's a well-rounded, complex beer that is ready to drink now, or can be aged at cellar temperature for many years.
- Brewer's Alley Dunkel Weizen : This is a dark version of the weizen beer style. The grist contains a large portion of wheat, which lends a distinctive note to the malt body and aroma. This style is traditionally un-filtered and can have significant haze and cloudiness. Our Dunkle Weizen is brewed with a traditional Bavarian weizen yeast, which gives it a very pronounced clove and spice character, as well as a fruity aroma.
- Sigtuna Merry Christmas : A dark English ale spiced with bitter orange peels, vanilla, star anise and cloves.
- Four Paws - Cabernet Barrel-Aged : We rested our Four Paws Quad in Cabernet Sauvignon barrels for nearly two years, resulting in a luxurious thick bodied Belgian dark ale. Featuring a robust 14.5% ABV, this strong ale is loaded with rich malt, fig, and vinous dark fruit flavors. The beer’s sweetness is balanced by the tannins transferred from the extended barrel aging, leaving a nuanced sipper for any occasion.
- Dragoon IPA : This is a true West Coast IPA–it is pale in color, with with bracing bitterness, high alcohol content (about 7.4% abv) and a fruity/floral/citrus hop aroma. It is made from a simple malt bill: North American base and pale caramel malt. We use copious amounts of Northwest hops (Summit, Columbus, Magnum and Zythos) all throughout the boil, with most of it going in within the last 15 minutes. After fermentation is complete, we dry hop it with approximately 1 boatload of each of the same hop varieties.
- Collaboration No. 1 - Imperial Pilsner : For this inaugural installment of collaboration brews, we invited distinguished Belgian brewer Jean-Marie Rock to join our own Steven Pauwels for a zymological alliance. The two conspired to revive a recipe from the very beginning of Rock’s career, the memory of which he has cherished for more than 30 years. A starkly simple recipe combined with a painstakingly complex brewing process produce an Imperial Pilsner of subtle elegance and delicately balanced contrasts. First wort hopping, a very old technique in which hops normally added late in the boil are put in at the beginning, and allowed to steep for a much longer time, gives the beer an especially refined hop aroma and flavor. The 100% Pilsner malt makes a clear, yet restrained statement, answered by a stead, harmonious chorus of Saaz hop bitterness, echoes of which linger in the dry, crisp finish.
- Scratch Beer 221 - 2016 (Red Ale) : Chewy, warm and tingly, Scratch #221 presents some much-needed respite from the recent chilly weather we’ve been having in Central PA. This burly winter red ale offers malty notes of gingerbread spice, toffee, molasses, and dark fruit amid subtle traces of earthy and citrusy hops. To lend a natural caramel flavor to the finished beer, we added Demerara sugar (an unrefined, large-grain golden sugar) during the boil. Let Scratch #221 warm you from the inside out!
- Sarcophagus : Sarcophagus is a dark farmhouse ale brewed with oats, spelt, and midnight wheat fermented and aged in bourbon barrels with a mixed culture of bacteria and wild yeast.
- Sicario Pina : Muscat barrel aged Brettanomyces pineapple saison. Primary aroma is reminiscent of fresh squeezed pineapple juice. The pineapple is balanced by oak, citrus, and fruity/earthy Brettanomyces character.
- The Prayer Biere De Abricot : The Prayer is brewed with North Carolina raw wheat from Carolina Ground and more than 800 pounds of apricots. The result is exceptionally refreshing, exhibiting a ripe fruitiness, mild tartness and subtle spice.
- Overhaze : Over the craze? We thought not. So we brewed Overhaze. It can be described with all the adjectives relevant to your interests: cloudy, juicy, turbid, milky, dense and of course hazy. Enjoy the flavors of pineapple and grapefruit juices. Hopped with Idaho 7, Amarillo, Citra and Grungheist.
- Obolon Beer Mix Lemon : Made from artesian water, high-quality barley malt and hops, this original drink contains lemon syrup, which adds to beer a pleasant fruit flavor.
- Ye Ol' English - Pilot Batch : A dark English mild ale brewed with Willamette and Challenger hops for a smooth malty base with a mild hop finish.
- Leadership Qualities Breakfast Porter : A rich sweet malty beer balanced with hops and dark chocolate and oats, made with “milk” for a smooth full taste. Not just for breakfast!
- Squirt : Brewed with grapefruit and lime juice
- The Love Wheat Beer : A German-style hefeweizen with a fruity aroma and spicy finish.
- Imperial Stout : This massive Stout pours a mahogany black with a thick, brown head. The aroma is all chocolate roasted malt. The aroma is all chocolate and toasted malt. The first wave of flavor embraces anise and dark, bitter chocolate but opens up to include coffee, smoke and rich sweet malt.
- Passion Of The Wizard : Our White Wizard Wit aged on a large amount of Passion Fruit. Light and refreshing, this beer is balanced with both sweet and tart flavors coming from the tropical fruit being used.
- Big Brother : Our first beer released from our unique line of Scotch barrel aged beers. Our Big Bro appears to slowly ooze out of the tap with a beautiful thick tan head. An aroma full of coffee, raisins, cherry, and toast. The taste starts off with a big malt mouthfeel followed by chocolate and coffee. As the beer slowly warms, strong notes of stone fruits and a slight smokieness from the Scotch barrels starts to shine.
- Newport Storm - Mark (Cyclone Series) : Named after one of our founding members and original brewer, Mark Sinclair, we broke some tradition within our “cyclone series”. Instead of “M” being named after a girl, the passion, heart, and sweat that Mark poured into the company during our first years of existence made it easy to buck this trend. A brew designed by Adam Truesdale, we went with RI tradition using Autocrats “Espresso Coffee Extract” and added this into the brew after fermentation. We really wanted to focus on the fun flavors of the extract and darker malts that contributed to Mark’s stout backbone, allowing the “RI” feel. Further, Lactose, a milk sugar, was added to give the brew some creamy mouthfeel. We didn't crowd this beer with too many hops...
- Qing Ming : Chang style malt beverage brewed with rice, honey, fruits, and botanicals.
- Blown Out Flip-flop : Kettle soured with lactobacillus. Brought to a boil with salt, coriander and orange / grapefruit peel for a refreshing spicy citrus aroma and flavor.
- I Got 5 On It : I Got 5 On It is a medium-light bodied American India Pale Ale brewed with five different hop varieties. A blend of earthy and sweet citrus hop aromas softy rise from this hop forward brew. Bready malt and fruity tangerine flavors lead into a prominent bitterness that resonates pleasantly and finishes dry.
- Black Pale : A drinkable contradiction – a Black Pale Ale. Braven Black’s earthy, citrus hop undertones accompany the stout-like snap of chocolate and espresso in this dark spin on the classic American Pale Ale. Surprisingly crisp, Black offers a drinkability that is as welcoming to the craft beer novice as it is rewarding to the experienced connoisseur.
- Fraxos : This 16oz hazy wunderkind will be crafted with a bevy of Citra & Simcoe hops and fermented with London III yeast, yielding a dazzlingly delicious IPA with massive notes of mango, stone fruit, and tropical magic that are going to light up your pleasure receptors like a frickin’ Christmas tree.
- Ye Old Battering Ram : Knock, knock. Who's there? Door shards and knockers in your face! This beer doesn't wait to be let in. Dark as night but scarier. Barricade your palate and batten down the hatches cause Olde Battering Ram is coming.
- Dulcis Succubus : Up to twelve months of aging in California white oak barrels gives this beer a complex nose with honey-like flower , vanilla , apricot and leather by adding wild yeast. Full mouthfeel from ample and generous amount of American hops.
- Andronicus Pale Ale : Named for what is thought to be William Shakespeare's first (and most violent) tragedy, Titus Andronicus is believed to have been written between 1588 and 1593. This special release beer is light copper colored and displays an earthy, herbal English-variety hop character, medium hop bitterness, flavor, and aroma with medium malt flavor and aroma, low caramel character and pronounced fruity-esters. Therefore I tell my sorrows to the stones; Who, though they cannot answer my distress...
- Tropical Milkshake IPA : The combination of three tropical fruits -Guava, Pineapple, and Mango - all swirled with a ton of vanilla and Citra Hops makes this flavor extratropical. This flavor uses 5x the hops as Lake Day, our Session Pale Ale. Careful, this flavor could influence a trip to the beach.
- Boob Check : Premium malted barley, Galaxy hops, and British Ale yeast are the base of this hibiscus, cherry, honey, and lime beer. A crystal-clear deep pink hue invites you in while the complex fruity aroma comes from all of the ingredients combined, not just the cherries. Hibiscus adds some bitterness and color, while the lime adds some acidity.
- Hefeweizen : We start with a traditional German Hefeweizen recipe, using 50% wheat malt and 50% Pilsner malt. Without being too irreverent to the original style, we add our own creative spin, with a sizeable whirlpool hop addition and the use of an American-German yeast strain, which contributes the classic Hefeweizen banana character, but with a restrained spicy phenolic character, keeping the beer approachable while maintaining the complexity of a well-crafted wheat beer.
- Stormy Monday : Our Stormy Monday is a spiced barley wine aged in Calvados barrels. Legendary Danish craft brewer Anders Kissmeyer (of Nørrebro Bryghus fame) created the recipe and supervised the brewing/aging process. We prepared a huge cargo of spices consisting of star anise, bitter orange peel, cocoa, cinnamon, dried fruit (quince, apple, dates, raisins, figs), real vanilla beans, cardamom, juniper berries and the list goes on and on... We also used pure maple syrup from our long time supplier and friend Frank Higgins of Combermere, Ontario. It is fair to say we logged quite a few hours sourcing some of these ingredients all over the world.
- Kallestraat Road : Lemon color, spice and citrus aroma, grapefruit flavor, light body.
- Flying Monkeys Juicy Ass IPA : Juicy is the word we use when we talk about hops. Our award-winning American IPA moshes bright fruity notes, dank hoppy bitterness & fresh verdant resins with sticky malts for softly carbonated, unfiltered flavor.
- Bonzai : Pale Ale, 5.5%abv, Hop forward West Coast style pale ale featuring Chinook hops. Citrusy, grapefruity, with an earthy bitter finish.
- Disco Biscuits : Disco Biscuits is an American Pilsner with a medium body and a clean, dry finish. It has a long-lasting white head and is golden in color. Notes of tangerine and orange sit nicely with its hop blend and light malt profile. Its a fruity and deliciously drinkable Pilsner.
- RCW 70.160 Smoked Porter - Cherrywood Edition : A variation on our RCW 70.160, named for Washington State's smoking ban, this smoked porter features a hearty dose of cherry wood smoked malt. Notes of leather, tobacco, and fruit abound.
- Hopulization : This New England style double IPA has the highest ABV of any IPA we brew. Double-dry hopped with irresponsible amounts of Galaxy and Calypso hops, we achieve a big fruity aroma with lots of peach, citrus and passionfruit.
- Embrace The Funk - Never Again : A two-year journey of a Belgian Dark Strong Ale, fermented with Brettanomyces and souring bacteria, and aged in 40-year-old Oloroso Sherry casks, Merlot wine barrels, and Bourbon barrels.
- Red Rambler Ale : This ale is brewed with the finest quality pale, caramel, and lightly roasted malts. This complex combination of malts, contribute to the deep red color and malty flavor. This is balanced with the flavor, bitterness and aromas of three varieties of hops. The IBU’s are around 35. Top fermenting ale yeast is added to create this well rounded beer.
- Contradiction Golden Mocha Stout : Contradiction is a beer with an identity crisis.Looks like a pilsner, drinks like a stout. Loaded with oats and lactose, then conditioned with cocoa nibs, vanilla beans and locally-roasted coffee from our friends at Coffeebar. Contradiction is a creamy and complex beer that defies categorization.
- Square Fruit : Jammy and sour Flanders-style dark ale aged in second use Darkstar November barrels. Tart cherry, sweet cherry, pluot, cranberry, raspberry, blackberry, blood orange, mandarin, currant, and boysenberry. Brewed in collaboration with our friends at Bottle Logic Brewing in Anaheim.
- Nuance Noir : Nuance Noir is a special release of our saison, done as a “black saison”. The addition of roasted malts adds color and complexity, giving our normally dry saison a bit of a toasted cracker flavor, also adding some peppery notes. Don’t let the dark color fool you, it is still a very refreshing beer that sits light on the stomach and goes down easy.
- Fur Rondy 2008 : Official Beer of Fur Rondy RondyBrew is a tawny winter ale that delivers a complex and attractive aroma of sweet malt, dried fruit, and spices balanced with a nice dose of English Hops. Malty flavors caress the palate, finishing dry and bittersweet. Rondybrew adds refreshment and celebration to the festive fare and entertaining events enjoyed during Anchorage’s Fur Rondy Festival!
- Sevens IPA : Brewed in honour of the Canada Sevens; this IPA has large notes of tropical fruit and balanced bitterness.
- Strawberry Blonde : Fruit beer with local strawberries
- Hop Black : Combine the hoppiness of your favorite IPA with the smooth darkness of a porter or stout and you get what’s known in the biz as a black IPA or Cascadian Ale. Hop Black is all of that and more. Designed by our homebrewer buddy Andy Shaw with ingredients donated by Cargill corp. We are pledging to donate a portion of sales to the Jackson Hole Food Cupboard.
- Battle Kriek : attle Kriek is a blend of a light Golden Sour Ale, a kettle soured Cherry Ale, a batch of our Apollyon Belgian Golden Strong, and a Golden Saison. All of these beers were aged in oak barrels for 8-18 months. Arcadia’s Brewers tasted every barrel project in the house to come up with a blend of 36 unique oak barrels from these 4 varied batches of beer. The combined flavor profiles of wood and light biscuit, tropical and citrus fruits, and a classic farmhouse funk were mixed with 1,200 pounds of Michigan cherries!
- Highlander Scotch Ale : A strong, full bodied, dark ale with a sweet maltiness and dry finish.
- Smoke Detection : English style Mild ale brewed with cherry wood smoked malt. Smokey, toasty aroma - tobacco paper, cigars and woodsy. Bold smoke flavor, earthy, dark malts. Rustic, Unfiltered, cloudy and deep brown.
- Bud Light Blends - Grapefruit : Light lager with real grapefruit juice and natural flavors.
- Dunk Your Face Project: Pepitas Grande : Oak barrel-aged fruit beer.
- Escape : Some of you may remember a pilot batch of Escape we made a few months after we opened back in the fall of 2016. That batch was experimental and was meant to be a shorter term, fresher beer. We scaled that concept up and allowed for an extended maturation period in the barrels and the results were phenomenal! Escape clocks in at 5.8%. We start Escape by brewing a batch of Master Shredder(our house IPA) the same way we would as if it was going to be canned fresh. Instead of transferring the wort into a stainless steel fermenter with our house ale yeast, we take the batch of wort and transferred it into freshly dumped red wine French oak barrels. We then pitched a mixture of a few Brett strains and ferment the wort with 100% mixed Brett strains in primary, then inoculate with our house culture and condition for 12 months. After 12 months, we pulled Escape from the barrels and dry-hopped it with the same varietals/quantities as Master Shredder and conditioned on the dry-hops for approximately a week. We then pulled Escape off of dry-hops and bottle conditioned it for an additional 2 months in bottles. Pithy, juicy grapefruit flesh, tangerine peel, Riesling-like body, beautifully balanced tartness, bright white wine grape skin, subtle oak, with a hint of sticky, dank hop aromatics. Escape is defo a production staff favorite!
- Stormtrooper Imperial Stout : It is big and strong and dark and full bodied and roasty and carmely and smokey and really, really good.
- Cambrian Explosion : Foeder Aged Golden Sour w/ Red Grapefruit
- Solenna : Solenna pairs the fruitiness of a traditional Belgian yeast strain with the subtle spicy character of Brettanomyces and the floral notes of German hops. Notes of candy apple, cinnamon, and fresh-cut grass give way to a dry finish and firm lingering bitterness.
- Tropicalismo : Exotic and juicy, Tropicalismo Pale Ale is loaded with tropical fruit and citrus aroma from tons of late addition Mosaic, Simcoe, and Amarillo hops. Let its mouthwatering flavors dance the samba across your taste buds with unconstrained delight! 
- Schizophrenic Stout : Science meets art in this glass of beautiful dark-roasted, heavily-malted beer. Creamy flavors of rich coffee might make you think this is infused bit the bean – but it is instead brilliant brewing which has created this fantastically frothy beverage.
- 5th Anniversary - Cabernet Barrel-Aged : This is our dark and decadent imperial stout fermented with raspberries, aged in Napa Cabernet barrels for 12 months, and finished on cocoa nibs and vanilla beans
- Cascade IPA : This IPA follows in line with the other single hop IPAs we have made, such as Simcoe IPA and Saphir IPA beer. Cascade is an American hop variety that has been around since 1971 and it has always been a favorite of craft breweries. More Cascade hops are used in craft beer than any other hop variety! Cascades create a smooth bitterness with pleasant floral, spicy, and citrus-grapefruit characters.
- Repentance : In the bright light of self-awareness, we offer penance for our darkest betrayals of inner values. Our roots grew long within the bowels of Belgian lore. And there they shall remain. Made with Pils, Belgian caramel malts and dark candi sugar, this beer is an homage to the Abbey-style dark ales that forged our first love for Belgian beer.
- Chain Smoking Soccer Mom : Doughy and dry wheat saison with complex floral notes and a subtle smokey character in both aroma and flavor.
- Doppelbock : Doppelbock means “Double Bock” and is usually stronger and darker than a traditional Bock. Our take on this winter warmer is a less sweet version of the style. Triple decoction produces a rich malty bier to enjoy as the snow starts to fall.
- Domestic Bliss : An approachable Belgian Golden ale with a mild fruitiness and complex spice character. It’s deceitfully smooth and easy to drink.
- Scratch Beer 65 - 2012 (Kölsch) : Brewed as his wedding beer by Jeff “Moose” Musselman, Scratch #65 is designed for maxxin’ and relaxin’. Starting with an all-organic grain bill, this Kolsch is light pale in color and unfiltered to retain yeast notes. The malt gives a full body and mouth feel with complementary fruity flavors coming from the Kolsch yeast and Amarillo hops. At 4.8% ABV and 34 IBU, Scratch #65 is best enjoyed on a sunny day relaxing under a big shade tree. Congrats to Moose and Andrea!
- Baltic Porter : Similar to an Imperial Stout , the Baltic Porter offers richness and warmth , but favours smoothness and complexity , think cocoa , dried fruits and molasses , over any roasted or burnt malt character.
- Machine Shed Stout : Black as the oil stains that once graced the floors of our beloved machine shed turned brewery, this stout was our first attempt at brewing a real beer. We use roasted and chocolate malts to give it the rich dark color and to balance out its delicate sweetness. After just one sip we’re certain it will become one of your favorites, just as it is ours.
- Black Cauldron Imperial Stout : There are few styles of beer more flavorful than Imperial Stout. Our thick, rich version is brewed with plenty of caramel and roasted malts and subtly spiced with Cascade and Super Galena hops. We accentuate the natural smokiness of the brew by adding a small amount of beechwood-smoked malt. At 22.5 degrees starting gravity and 9.5% alcohol by volume, this beer boasts flavors of chocolate and coffee, along with raisins and dried fruit soaked in sherry.
- Stout Impérial : Coffee, vanilla, chocolate, crème brûlée, dried fruit
- Rye Pils : Our Rye Pils is just in time for the changing of the seasons. We added a small percentage of flaked rye to an otherwise 100% Copeland pilsner malt base to achieve a crisp but full and smooth mouth feel with a slightly more complex taste that the average pils. For hopping, we went with a more modern but still traditional selection of Mandarina Bavaria, Wai-iti and Saphir for a mix of spicy and fruity flavors and aromas with a clean bitterness. This beer is an easy drinker that is perfect for sipping on the porch as the season changes and the leaves fall.
- Schlafly Bourbon Barrel Aged Quadrupel : Our Quadrupel is easily one of the most rich and full bodied beers we make, so when Paul Hayden at the Wine and Cheese Place in Clayton, Missouri asked us to age some in a bourbon barrel, we were happy to oblige. The resulting ale is loaded with oak and bourbon character, as well as the rich, dried fruit character of the Quadrupel. We have created a unique taste you will only find in this extremely limited edition. We filled just one bourbon barrel and may never produce this beer again, so enjoy!
- Molson OV (Old Vienna) : A mainstream lager with a moderate hop character and slightly sweet, fruity, refreshing aroma and taste.
- Beejay's Weirdo Brown Ale : We had a single open spot on the schedule and told BeeJay he could brew whatever his little bearded heart desired. The result of his labors (and what some professionals call insanity) is BeeJay's Weirdo Brown Ale. We asked him what he wanted to hop it with and he just kept yelling "ALL OF THE NESLON!" We obliged him and the result is a delicious hoppy imperial brown ale with lovely aromas of tangerine, passion fruit and grapefruit. Don't sleep on this guy, it was a very small batch.
- Eddy Out Stout : "An American style stout that exhibits lots of roasted and chocolaty flavor with a subtile amount of hop bitterness to complement the abundant use of dark grains. The mouthful is creamy and luscious up front with a slightly dry finish."
- Big Night : Big Night, a country pale ale. This was hopped with low alpha hops in the kettle, ripened with brettanomyces in oak, and finally dryhopped with a super delicate addition of modern/fruity hops before packaging. Subtle notes of peach and red fruit with a dainty Brett character that refrains from getting too guttural. Roast a chicken with a loved one tonight and crack one of these bad boys open.
- Counter Weight / Tribus - Wet Hopped American Lager : Collaboration with Tribus Beer Co. Hopped with fresh hops from Four Star Farms in Massachusetts to create a lemongrass and grapefruit-forward lager.
- Jabberwocky Tripel : Our Tripel Belgian Style Ale opens with a mild blast of hops that slowly gives way to the fruity esters implied by our Belgian yeast strain. In the Belgian tradition of brewing singles, doubles and triples, Tripel is the strongest with the longest fermentation. Remarkably smooth and complex, it is more of a sipping beer.
- Sorachi Brett Saison : A light, crisp and flavorful Saison bursting with citrus and pome fruit flavor provided by Japanese Sorachi Ace hops. Additions of Pilsner & Spelt to the grain bill add smoothness without adding weight, while the use of Brettanomyces provides a subtle, soft tartness to round out this clean finishing recipe. A perfect sipper for a parching summer's day.
- Chaos (2017) : Chaos 2017's roots come from our second Side Note release, Gimme Samoa. We took roasted cocoa nibs, toasted coconut and Saigon cinnamon and aged it in our imperial stout, only after aging the imperial stout in freshly dumped bourbon barrels for 9 months. This complex, sweet, roasty imperial stout will change with time. Drink it fresh or store it cool in your cellar to experience the change of Chaos. Cheers!
- Snakes Alive DIPA : A heavily dry hopped DIPA for an intense aroma of lemon, blueberries & tropical fruits. the 90 minute boil adds caramel for a full body with a dry finish.
- Mur De Huy : A malty, rich, complex full bodied Belgian dark strong ale.
- Porter : Brewed with chocolate malt and hops from the Pacific Northwest, Cigar City Porter is a traditional American Porter that’s dark and complex yet dry and approachable. We celebrate this straight-ahead style that is as favored by the brewers of 21st century Tampa as it was favored by the luggage porters of 19th century London.
- Double D : Double D is a full-bodied Imperial India Pale Ale, flaunting sultry guava, mango, and tropical fruit aromas as a result of dry hopping with Citra, Zythos and Crystal hops. Brewed with light toasted malt and Bravo bittering hops, this double delights with smooth warming alcohols and a torrid finish. 
- Saison Tournante - Tropical Hibiscus : Tropical Hibiscus is an estery and refreshing summertime Saison with notes of tropical fruit from Azacca hops with a delicate tartness and mild pink hue after additions of Brettanomyces + Hibiscus petals. 
- Voodoo Ranger IPA : Bursting with tropical aromas and juicy fruit flavors from Mosaic and Amarillo hops, this golden IPA is perfectly bitter with a refreshing, sublime finish.
- Railroad Avenue Imperial Porter : You've arrived at your destination on time. We laid the tracks to this Imperial Porter with deep roasted malts and roasted barley, along with dashes of vanilla, cinnamon and dark brown sugar. Railroad Avenue is a big, malty brew that conducts the palate to a nicely spiced, mildly sweet finish.
- B^4 : This Bourbon Barrel Brett Brown is a happy accident, the salvation of a few things that went awry into something that went aright. B^4 is the a blend of TexiCali Brown Ale refermented with molasses in second run Bourbon barrels and blended with unhopped TexiCali that was inoculated in wine barrels with lactobacillus. The resulting blend was then bottle conditioned with Brettanomyces bruxellensis. Finishing at 7%, the flavor profile is of dark orchard fruits, raisinets, and faint molasses. 900 bottles available.
- Featherleggy Bulrusher Sour Stout : This unique beer is made by souring our Barney Flats Oatmeal stout in wild turkey bourbon barrels for up to 18 months. The acidic and fruity profile is reminiscent of cherry cordials and chocolate cake.
- Tropic Of Passion : Tropic of Passion is a delicate, coral-tinged wheat ale. Intense tropical fruit aroma leads into a full-bodied beer that showcases the tart and slightly sweet interplay of passion fruit, leaving you with a dry and refreshing finish.
- Jeremy And The Giant Peach : Lightning Strikes and from it this American-Style Kettle Sour falls... A lactobacillus granted tartness is layered upon prominent fresh fruit notes (Peach/Apricot) giving this rhinoceros of an ale a truly special flavor profile.
- Donner Irish Red : A malty, caramel flavor with hops that give it a spicy, citrus taste with a slight grape. Fruity, flowery aroma.
- Rind Over Matter-Grapefruit IPA : A West Coast-style IPA brewed with grapefruit. Medium bodies, copper in color, with intensely-fresh grapefruit on the nose and palate.
- Moustache & A Supernova : Joyeux Noel from DHB to you. This French Christmas ale is our present to our loyal customers. The strong malt backbone of this complex brew leads to notes of raisin and grape in the finish. Thank you to all for an amazing six months.
- Your Phone Number : IPA made with Fruity Pebbles. Yup, that's a thing. Inspiration = Sugary, fruity breakfast cereal with iconic carton character on box.
- Syzygy (Barrel-Aged Black IPA) : Behold! A provocative variation of our enticing anomaly! Our rich and complex Syzygy has consumed the wine and wood characteristics of Sonoma County Cabernet barrels. Aged for 12 months in French Oak Cabernet Sauvigon Barrels and then intensely dry hopped. It's a once in a lifetime occurrence.
- Draco Grand Cru (India Pale Ale With Honey) : Pours a dark amber with floral notes reminiscent of tropical fruits. Draco is a bold India Pale Ale brewed with Simcoe hops and married to the wild, exotic nature of Belgian Yeast.
- Ziggy : Brewed with Pale and Wheat. Dry Hopped massively with Citra and El Dorado. Flavors of tropical fruit, pineapple and mango dance in your mouth,while aromas of pear, watermelon, stone fruit and candy captivate your nose.
- Boardman Brown Ale : A complex oatmeal brown ale that defies tradition. First wort hopped and brewed with Golden Promise malt, the Boardman starts off crisp and lightly hopped, followed by notes of cocoa, caramel, coffee and plum. Brewed specially for fall in Michigan.
- Embrace The Funk - Open : Batch 1 is a blonde ale open fermented with a classic Witbier yeast and steeped with Meyer Lemons then aged in Neutral Oak with Blackberries. This ever evolving series of ales showcases Open Fermentation techniques in our hybrid coolship. Each new batch is a different beer with different spices, herbs and fruits.
- Belgian Quad : A dark, nearly wine colored, strong Belgian Ale. Hefty alcohol content yet slightly sweet and smooth. Reminiscent of plums and dried cherries.
- Problem No Problem : This is the third collaboration we’ve brewed with our friends at Monkish Brewing Company. We went far outside the box with this one! This saison was brewed with raw sugar, green lentils, sweet and bitter orange peel, and a funky homemade curry spice blend (cumin, ginger, mustard seed, peppercorns, coriander, and fenugreek), giving each and every sip its own unique complexities! Aromas of brown sugar, oak, and funk in the nose. Tastes of oak, maple syrup, and just a hint of spices pairs well with the subtle funk, and light tartness.
- Fresh Haus : Wet-hopped farmhouse ale. Juicy and fruity with notes of tea and lemon.
- Squatters Oktoberfest : This 20th Annibrewsary Lager is a traditional German Marzen. Biscuit like character softly blends with notes of light toffee to give this malt driven lager its true Marzen character. German noble hops offer an eloquent balance to the malt complexity and make this medium bodied lager wonderful to enjoy by all. Marzens are often the drink of choice at Oktoberfest celebrated late September to early October. Prost!
- Seizoen Bretta : "Special Brettanomyces yeast provides added dryness and crisp complexity to the Seizoen Bretta. Bottle conditioned with pear juice for a natural carbonation."
- Black Creek Dark Ale : Brown ale is characterized by a warm caramel chocolate flavour drived from the roasted malts used to make it. Brown Ales, also known as Dark Ales, were the most popular beer in the 19th century.
- Brains Craft Brewery Destiny : This dark IPA is brewed in collaboration with The Beer Beauty, aka broadcaster and journalist Marverine Cole. A tropical burst from Galaxy and Motueka hops coupled with the addition of fresh mango contrasts with roast malt flavours and a bitterness that dances around the tongue.
- Prairie Style Porter : This porter is chocked full with dark malts that produce a smooth drinking malt forward beer with hints of hazelnut and chocolate. Lightly hopped with Cascade hops designed to round out this well-balanced full flavored porter.
- Futures Saison : Our Farmhouse Saison base, made with desert foraged prickly pear cactus fruit and fresh picked bay leaves at The Farm at Agritopia.
- Lü : A crisp, thirst-quenching, and refreshing German-style Ale featuring mellow malt sweetness balanced by a delicate spicy, floral hop profile and smooth, fruity ale yeast. Light-bodied and exceptionally sessionable. This beer won a Bronze Medal at the Great American Beer Festival in the German-Style Koelsch category in 2016.
- Uptown Coffee Milk Stout : A rich, full bodied stout that delivers a dark roasted and chocolate taste that would make any coffee drinker smile.
- Porter (cask) : Triumph proudly pours unfiltered "real ale" finished and dispensed in the traditional British style, served at cellar temperature (50-55 degrees). Although porter was immensely popular in nineteenth century London, there came a time when the style was nearly forgotten. Ours is a smooth dark session beer that you will always remember.
- Donnyllama Doppelsticke : Brewed in collaboration with our friends from Engine House 9 in Tacoma with Pilsner, Munich and dark specialty malts. Hopped with Hallertau and Tettnang. This strong German Alt-style beer went under an extended cool fermentation with our favorite Kolsch yeast. After a period lagering, it was transferred into former Midnight Still bourbon barrels and left to age for 2 months.
- 25th Anniversary Vanilla Doubledog : Turbodog is the inspiration for this robust dark ale. It is brewed with generous amounts of pale, caramel, and chocolate malts and Willamette hops. Whole natural vanilla beans are added during the aging process.This combination provides a rich body and color with chocolate, vanilla and toffee-like flavor.
- Dawn Patrol : This beer is mild yet complex in its delivery. The hop presence is noticed by subtle flavors of pineapples that meld beautifully with the slightly spicy and minty character derived from the use of Rye malt. A somewhat recently pioneered style, this Pacific Ale is delivered unfiltered to accentuate its fresh farm to glass, unprocessed, organic qualities.
- Anián : A wild farmhouse ale aged in an oak tank with fruit added.
- Experimentalis With Raspberries #3 : Barrel aging project with estate fruits aged in Syrah Barrela wine barrels from Matthiasson Vineyards.
- Red Howes : Black in color with a creamy biege head, Red Howes is a stout brewed with 2-Row barley, a blend of roasted malts and 3,000lbs of local cranberries, both Red Howes and Early Black varieties. The finished beer has cocoa, coffee and berries in the aroma and flavors of dried fruit and bitter chocolate with a slight tartness and a dry, lingering finish.
- Dim-Wit Bier : This brew is styled after the unfiltered “Bier Blanche” of Hoegaarden, Belgium. Coriander and curacao orange peel are added in the brew kettle to impart a fruity and subtle spicy aftertaste. Fifty percent wheat malt and a hazy appearance give it a “white” color. Dim Wit Bier is a signature beer of Chris Erickson. Ask the bartender to make you a Dim Wit!
- Hopback Amber Ale : Standing 12 ft. tall at the center of the brew deck is our HopBack vessel; here, whole flower hops swirl in hot wort coaxing hop oil into aromas of grapefruit pith and pinesap. This bright hop nose is counterbalanced with malt tones of toffee and Caramel.
- Death By Chocolate : An enchantingly complex cream-style stout with a satisfying chocolate finish, achieved by a generous addition of imported Guittard Cocoa. Smooth, rich, and silky, this unique beer celebrates a marriage between Great Beer and one of life’s true delights – Chocolate. 2002 World Beer Cup Gold Medal Winner.
- Fresh Squeezed IPA : This mouthwateringly delicious IPA gets its flavor from a heavy helping of Citra and Mosaic hops. Don't worry, no fruit was harmed in the making of this beer.
- Blood Orange Deadbolt : This American hop bomb is chock full of Amarillo, Simcoe, Mosaic, and Citra, and an addition of 35 lbs. of blood orange purée per barrel. Clocking in at 80 IBUs and 10% ABV, this beer focuses on powerful citrus and pleasing tropical fruit aromas.
- Skilak Scottish : Pours with a light beige head on a dark amber beer. Aroma is of smooth malt along with a smoky background leading to a mouthful of deep, roasted malt flavor. Ends long and smooth with a sweet malt aftertaste.
- Because : “Double Dubel” is a playful way to say Quadrupel. This strong dark ale was brewed and aged with ancho chilies, which are the dried version of poblanos. Anchos impart earthy, raisin-y, peppery characteristics but not a lot of heat. The result is a complex elixir that pairs well with rich, spiced foods but can also be savored on its own. Because was aged in French oak Cabernet Sauvignon barrels with ancho chilies for several months before conditioning.
- The Afterparty : The Afterparty is a Sour Ale aged over apricots and tangerines, with a brettanomyces-focused funky and tart character and balanced but subtle fruit flavor. ABV: 6.0% IBU: 20
- Boris The Spider : Boris pours black and opaque like a moonless sky over Siberia. Eight different malts bring a complex aroma and flavor of chocolate, coffee and roasty sweetness. Just in case the winter gets too cold, we brewed this giant spider to 10% abv. So grab your snifter and ushanka and enjoy.
- Rum King : Complex notes of toffee and vanilla lure you in, with a roasty-toasty, malt-forward body burly enough to un-shiver those timbers. Make way for Rum King, a pitch black Imperial Stout aged in freshly emptied rum barrels. Smooth, assertive, and nearly ‘Navy strength,’ this seaworthy and spirited brew is a bold character to be reckoned with.
- 13th Apostle : We created this beer especially for Easter, one of the greatest celebrations of the year, and in small quantity. A wonderful, complicated beer inspired by these days, aromatized with lemongrass & roasted pepper, but also with fruitful attributes from Belgian yeast and Citra hops.
- Embrace The Funk - Brett...Not Sour : Using our 3 most fruity and citrus forward wild yeasts this IPA is hopped with Citra, Simcoe, Centennial and Chinook. The hop profile and Brettanomyces are a wonderful match of grapefruit, orange peel and earthy pine. Wheat, Oat and Pilsner malts create a soft & smooth malt character that finishes slightly dry. Hazy and Hoppy this beer is all about accentuating the citrus forward hops with specific wild yeasts that create a small amount of “funky” character. Remember its Brett, so its not sour!
- Small Bird Series: Little Rooster : A refreshingly hoppy American pale ale, Little Rooster is another edition in our "Small Bird Series" of lower ABV offerings brewed for the summer. The nose is an intense, complex fusion of kiwi, citrus, and fresh hop. Candied peach, grape jam, and orange fill out the flavor profile, with a firm bitterness. Dry and effervescent, light to medium bodied.
- Parallax : A dark sour ale aged in bourbon barrels, with raspberries.
- Brown Rice Ale : An light ale made with organic brown rice. Very drinkable and quenching! The taste is super clean, almost lager like, with a hint of spiciness and clean nutty brown rice finish. NOT a Gluten Free Beer! Perfect for late afternoon picnic or a barbeque going long into the night.
- Frog's Hollow Double Pumpkin Ale - Barrel-Aged : The smooth and spicy character of the Frog’s Hollow double pumpkin ale is perfectly complemented by aging in used whiskey barrels. The result is a complex, super-tasty combination of flavors that is both satisfying and memorable. We hope you enjoy this very special Frog’s delight!
- Uranus (The Magician) : The sixth release in our Planets Series, Uranus, is a Black Double IPA. It is also our first large release of this style of beer. The hop profile is enormous and complex with help from Citra, Galaxy, Polaris and other hard to find hops. The use of de-bittered or de-husked black malt lends color without the overly astringent or roasty flavors normally associated with stouts and porters. Don’t let the illusion of The Magician deceive you. Dank, tropical, stone fruit, citrus, floral and pine hop characteristics with a touch of light chocolate are all revealed.
- Really Old Brown Dog Ale : Olive, iconic mascot & spirit guide of our brewery, first appeared on our Old Brown Dog label in 1994 & returned, thirteen years later, to pose for our Really Old Brown Dog, a luscious, malt-rich, full bodied “old ale” featuring deep notes of complex fruit. Much like our beloved Olive, this beer will mellow & age gracefully.
- Turtledogg : Scotch barrel-aged Dark Lord
- Smoked Porter : A full-bodied porter designed to evoke memories of campfires, woolen blankets, and good conversations shared between friends. Rich, dark roasted wood char, beechwood smoke, black coffee, and earthy, dark obsidian dust, round out this liquid campfire beer. This is the type of smoke inhalation we can safely endorse.
- Ace In The Hole : You’ll want to clear your nose before indulging in this juicy amber. This beer has American and Australian hops bursting with tropical fruits with loads of lemon and grapefruit with a deep malt backing to compliment the hops and give this beer its amber colour. This easy to drink beer is very sneaky at just under 6%.
- Papier : Papier is our first anniversary ale, loosely brewed in the English-style Old Ale tradition using our house Belgian yeast strain. The traditional first anniversary gift is something made of paper. The Bruery is giving their loyal fans the gift of Papier, their first anniversary ale. Layered with complex flavors of dark fruit,vanilla, oak, and burnt sugar, Papier is a robust ale, surely the perfect beer to mark our first big milestone. Best for sharing, this beer is ideal for cellaring until you have a celebration of your own…if you can wait.
- Bush Brown : In this ruby edged brown ale, you will find a complex aroma of caramelized nuts, soft milk chocolate, roasted grain, coffee, and fresh dough. Flavors that hit the palate are reminiscent of chocolate caramels, light espresso, mixed nuts, and stone fruit. This malt forward ale has a medium body that finishes with a soft and rounded texture.
- Electric Crimson : Orchard Fruit, Pleasantly Tart, Grainy, Lingering Salinity. Barrel-Aged Saison w/ Raspberries.
- 08.08.08 Vertical Epic Ale : The Stone 08.08.08 Vertical Epic Ale is a Strong Golden Belgian style ale highly hopped with American hops (Ahtanum, Amarillo and Simcoe). The beer pours pale golden with a thick and creamy white head of foam. The aroma is full of depth: nuances of pepper, clove, and banana from the Belgian yeast strain, and the resiny citrus notes from the American hops blend together nicely to provide a complex aromatic character. The taste is spicy, hoppy and fruity, with a very dry and a pleasant bitter end. The bitterness lingers nicely, and provides a refreshing finish that leads you to want to drink more and more of this beer!
- Lead Dog Olde English Ale : Brewed with six different malts , this Lead Dog is big but friendly as can be. An extended aging makes it surprisingly smooth and complex.
- Cadence Stout : Head Brewer Pete Dickson's own recipe that he's been improving for some time. Smooth, rich and complex, this foreign extra stout has notes of chocolate, oak, and roasty unmalted barley. A light touch of English hops gives this 6.5% ABV brew an earthy complexity.
- Pomona IPA : Pomona is the first IPA we created in celebration of the New England style IPA. Hazy and full of bright flavors! We pick-up a varied mix of citrus, grapefruit, and even tangerine across the palate.
- Warbonnet : Our unfiltered IPA is juicy & aromatic with citrus and tropical fruit.
- The Black Fog : The Black Fog is a big, black IPA with flavors of dark chocolate and roasted coffee. An addition of oats contrasts the big hop bitterness that pervades in this beer. A generous dry hopping gives this Black IPA a citrus and tropical fruit aroma.
- Keys to the Asylum: Barrel-Aged Wonder Twins : We've taken our highly sought-after DIPA, aged it in a Chardonnay barrel for 10 months, and infused it with peaches and local apricots. The result has been an incredible balance of oak, citrus, dank and fruit from the peaches and apricots.
- Witchfinder : Pale and aromatic, with a soft minerality, Witchfinder is a refreshing young saison, brewed with pilsner malt and wheat, and fermented with a mixed culture of saison strains. Hopped with Saaz and Amarillo, this farmhouse style beer is full of floral and citrus hop notes, and juicy fruit esters.
- Red Brick Winter Brew : A Double Chocolate Oatmeal Porter. Now available year-round as Double Chocolate Oatmeal Porter. Replaced as a winter beer by a Belgian style dark ale.
- Kingpin Double Red Ale : Kingpin is a full-flavored Double Red Ale that doesn’t take any lip. It showcases the spicy tone of the Liberty hop, grown in Oregon’s Willamette Valley. We start with Malted Rye and Caramel Malts to create its dark red color and distinctive dry character, then triple hop at three stages during brewing…all for an offer you can’t refuse.
- Strawberry Basil : Fresh strawberries for a sweet, fruit-forward flavor, a touch of basil leaves to give our wheat ale a herbal and refreshing finish. Uniquely interesting.
- Ogden Porter : When Paul asked us to dig back into the brewers log and bring back some of his and the regulars old favorites this porter was a must do. With a dark colour, slightly sweet after tones and a light english hop profile this porter is a great dark beer.
- Weird Dynamic - (Double Dry Hopped IPA w/ Lactose) : Brewed with milk sugar this IPA is a focus on the fruit and juice notes of the hops.
- Mighty Banyan Double IPA : Deeply rooted in legends and religion of India, the Banyan tree is a source of strength, longevity and security. As with the mighty banyan, our Double India Pale Ale starts with a rich, malty foundation followed by bold hopwith crisp, long bitter/sweet finish with hints of citrus, grapefruit and pine flavors.
- Memories Of A Man : Dark mild brewed with black and chocolate malt. Hopped gently with Saaz, Bramling Cross, and Cascade. Notes of bittersweet chocolate, tart raspberries, and toffee.
- LOL Tho : 100% Amarillo Double IPA. Almost 8lbs/BBL of hops. We might have went a little over board tho! LOL This one turned out pretty crazy. Dank, fresh nectarines, bright grapefruit peel, a touch of pine, and resiny as all get out.
- Raspberry Wheat : At 4.86% ABV, this tasty ale has just a kiss of fruit in addition to a nice, American, pub-style wheat beer backbone and a subtle hop presence.
- Lo-Fi Glitter Pony : A complex modern classic. Fruit. Spice. Deep golden. Deceptively drinkable.
- Full Moon Stout : Six types of barley are used to create this complexed and delicious beer. Not your typical “burnt and bitter” stout, you’ll find Full Moon to be smooth, creamy and loaded with flavor.
- Pillager : Black with hints of ruby red, this brew has strong notes of coffee and chocolate from a heavy dose of dark roasted malts. Its surprisingly light body and clean finish make this a very approachable porter.
- Combat Wombat : Sour Northeast-style IPA brewed with blood orange and grapefruit.
- Chimay Spéciale Cent Cinquante : From the brewery: This special edition is a full bodied and distinctive strong beer developed within the abbey to celebrate and honour the 150th anniversary of the brewery. Produced with 100% natural ingredients,its pale golden robe and champagne sparkle is topped by a rich white head of foam. The distinctive bouquet evokes the rich fruity and complex notes of the Chimay yeast in harmony with a delicate spicy note and the fragrance of fresh noble hops. At 10% alcohol, the flavour is full bodied and complex with a slight but refreshing tang note and a crisp hop finish that will delight the palate.
- Control Fire : This delightfully hazy IPA was built on a base of Talisman pale malt, Maris Otter, flaked oats, and Crystal Light (yes, that’s a malt), and hopped with a king’s ransom of Centennial, Mosaic, & Cascade. Ready your face for a boatload of fresh orange citrus character with intriguing layers of dark berries and pine.
- Trillium / Cloudwater - Exchange Student : This summer's Field Trip allowed the Trillium crew to play host family to lots of out-of-towners - among them, the creative and colorful founder of Cloudwater Brew Co: Paul Jones. To celebrate his transcontinental trip to our home, we planned a project inspired by two continents of brewing history. Exchange Student is a hybrid beer created by brewing both a traditional German-style hefeweizen and a double IPA, then blending them post-fermentation to marry the fruity esters of the Weizenbier with the juicy hop character of the IPA. 
- Auroral - Mango And Lychee : Our interpretation of a berlinerweisse. Variant brewed with acidulate malts, fresh mangoes, and lychee fruit.
- Scalene : Intensely hazy DIPA, with a strong profile of citrus, fresh herbs and stone fruit, featuring Belma, Apollo and Topaz.
- White Ale : Brewed with high quality Pilsner and Wheat malts, generously spiced with coriander and whole navel oranges. Belgian yeast provides the traditional refreshingly tart, spicy, and fruity flavor profile.
- Catch A Fire : Hopped intensely with Citra, Motueka and Comet. Comet is an old school hop we've never used before that came highly recommended. Lots of grapefruit, floral and pine qualities. Mix it up with the tropical element of Citra and lime of Motueka and it's a party. Clean, crisp, bright and quite fruity. 
- Slumbrew Naked Hopularity : Hopheads go to great extremes in their lupulin quests. It’s a worthy endeavor, but fraught with falling across the event horizon in a hoppy stupor. With swirling flavors from both dark malts and the crisp body from pilsner grains, our limited release black IPA will take you to the center of a hop explosion and back, without all the crushing gravity.
- Indian Canyon IPA : Abundant aromas of grapefruit and pine, this IPA is smartly balanced with Two Row Pale and Vienna malts. Brewed in the West Coast tradition of IPA's — this beer is pale in color while balancing aggressive hops with a light malt background.
- Wild Munich Farmhouse : Nearly 100% Munich malt, partially barrel-aged and blended back. bready, funky, dry, complex. citrus, stone, and candied fruits, light cocoa, touch caramel. house mixed-culture of bretts and bacteria (many local).
- Bourbon Publican Porter : Bourbon Publican Porter is our infamous Publican Porter aged in bourbon barrels for 10 months. Pitch black in color, this beer has big aromas of wood and bourbon followed by scents of dark chocolate and alcohol. Full-bodied with a velvety smooth mouthfeel, Bourbon Publican Porter tastes of bourbon and chocolate.
- Hefeweizen : Our Hefeweizen is a golden unfiltered wheat beer with it’s origins from Bavaria. We ferment it with a traditional German yeast strain which produces a unique spicy fruitiness and wonderful carbonation. Malted red wheat gives it a light crisp body and dense white head. Please sit back and enjoy our summertime seasonal beer!
- Newburgh Peat-Smoked Stout : Our twist on a classic Irish stout. Dry and smooth, this very sessionable stout comes in at 4.0% alcohol content. Our subtle addition is a touch of peat smoked malted barley. Smoked over a peat-fueled fire, this malt adds a layer of smokiness to the more traditional dark malt flavors. A taste of that smokiness is complimented with a smooth roasted finish. Slainte!
- White Cap IPA : Wet-Hopped IPA - A seasonal IPA showcasing fresh Cascade hops from our friends at Split Rail Farm in Churchill, Va. A mash of English Pale and light crystal malts set-up the base beer for the lemongrass and grapefruit flavors and floral aroma. Cheers to Virginia Hops!!!
- Croak At the Moon : A dry Belgian style Saison with notes of peppery spice and fruit from the use of an authentic style yeast. The palest of Pilsner malts and wheat contribute to the pale color with traditional Hallertau Mittelfruh and Czech Saaz hops providing a spicy bitter kick. A perfect beer for a sunny summer day.
- Schlafly Smoked Stout : Full-bodied and dark as night, this beer is rich, smoky, luscious and robust.
- Team Brewers I Think I Left My Shorts In Munich : A dark, rich beer with with rich, complex ready notes and chocolate-like flavors.
- Flora Peach/Pear : Flora is the wine barrel-aged version of Florence (1915-1967), our grandfather's sister as well as the name of our Farmstead wheat ale. A few barrels were selected—a portion of the beer was aged further on Vermont dessert pears, while another portion was aged on ripe northeast peaches. The independent threads were blended, resulting in a complex, delicate and slightly tart Bière de Table—an ale we would proudly have shared with Florence.
- Busted Knuckle Ale : This is our signature ale. Busted Knuckle is a hybrid ale, most similar to a “light” porter. We say “light” because, while it does have complexity, it is also a very smooth and approachable beer.
- Seeds of Doom : Dried Sugar Plums, Dark But Drinkable, “Pumpkin Beer”, Raspberry Ganache, Cola. Black Mexican-Style Lager w Pepitas. Collaboration with Other Half Brewing.
- Mare Nectaris : Named after a lunar sea, this is a very tart and rich beer, complex in both malt presentation and sourness. Fruit and brandy-like aromas are apparent, while flavors of raspberry and grain play out in the finish.
- Kasteel Rouge : Kasteel Rouge is a blend of Kasteel Donker (Quad) and cherry liquor. The mix of these two excellent products creates an exceptional soft beer with references to the dark mother beer.
- Black Lager : Black Lager Style, a.k.a. ~Schwarzbier~ is flowing through the taps. As we pour you a beer you'll notice that this Lager is pretty darn dark- not quite black, but getting there. The next thing you'll notice is a subtle off-white cap of foam and a discreet, fragrant roast aroma. Hopefully the next thing you notice is that you are drinking and enjoying it. Black Lagers are in a pretty narrow category and while ours does have an apparent edge from roasted malt, the relaxed and clean nature of the Pils Malt base really makes this beer a solid drinker. Hops are from Hallertau again and ABV clocks in at 4.5 so you don't have to clock out.
- Beam Black Rye Bock (Jim Beam Barrel Aged) : This dark lager combines the characteristics of three winter beer styles: Schwarzbier, Rye Beer, and Bock. Aged in Jim Beam bourbon barrels.
- [BANISHED] Doublecross : Barrel-Aged Strong Dark Belgian Ale w/Brett
- Nutmeg State : Nutmeg State Saison blends freshly grated nutmeg with a hint of juicy peaches, a delectable culinary pairing and a nod to fellow Americans both north and south of the Mason Dixon line. Utilizing fruity Belgian farmhouse yeast and bready English malt, Nutmeg State Saison serves up a smooth blend of warm flavors that is both complex and balanced. Lightly hopped with an experimental hop blend called Fantasia and moderate in alcohol content, we anticipate sipping this OLBC Shoreline Series brew on our porches as we welcome the spring season. ABV: 4.7%; IBU: 15; SRM: 5; Malts: Maris Otter, Vienna, Oats, Honey, Victory, Acidulated; Hops: Fantasia
- Tears Of My Enemies - Bourbon Barrel-Aged : There is nothing more sumptuous than the misfortune of your enemies. That dark, smoky taste of revenge takes over as it hits your lips, marching upon your tongue like an army towards certain victory. In addition to the smoke and locally-roasted Batdorf & Bronson coffee on the nose. This beer is roasty, chocolately, and, like the tears of your enemies, the most delicious thing you’ve ever tasted.
- Rummy Old Time : The “Old Time” series is a collaboration with The Charleston Beer Exchange. The base beer (a Belgian-style strong dark ale) for all four Old Times was originally brewed in July 2011, then aged in a variety of oak barrels, some with and some without a blend of brettanomyces, lactobacillus, and pediococcus.
- Moose Point Porter : A delightfully deceiving signature brew! Moose Point Porter has a dark and heavy appearance with a surprisingly light and clean finish.
- Bixby Blonde Ale : Light, refreshing blonde ale with pronounced fruity & bubblegum notes from the use of Belgian yeast.
- Berry Kiwi STUSH Berliner : Brewed with various berries and kiwi fruit.
- Whiskey Sour IPA : The crazy invention that is Limoncello IPA, the collaboration between Siren, Hill Farmstead & Mikkeller, has been aging in bourbon barrels. The infusion of the oak and bourbon has added huge layers of complexity and hits the spot as a Whiskey Sour. Slice of orange and a cherry anyone?
- Chiron's Flame : Imperial red ale aged in bourbon barrels for 16 months. Notes of caramel, dark sweet cherry, and vanilla.
- Lava : The active volcano Hekla is visible from the brewhouse door and occasionally, eruptions are visible from the Ölvisholt farm. The illustration resembles the view from the brewhouse door when an eruption occurs. Full-bodied, pitch black beer with a dense brown head. Richly flavored with notes of dark chocolate, roasted malt and smoke.
- Horny Goat Chocolate Peanut Butter Porter : A full bodied porter that gets its dark luscious color from the generous use of roasted malts. You’ll get just the right amount of chocolate and peanut butter to question whether you’re drinking a glass of delicious suds or popping a peanut butter cup in your mouth.
- Point Garde : A classic French farmhouse beer fermented at elevated temperatures. Amber-colored with fruit and spice notes and a clean finish.
- Grapefruit Ghost : White IPA with Grapefruit. 
- Rubus Cacao : Raspberries and chocolate go together like two peas in a pod. But don't worry, there's no peas in the Rubus Cacao. Rather the sweet chocolate, roasty bitterness and dark raspberry fruit combine in perfect harmony. Who knows, the Rubus might even become the pea in your pod!
- The IPA : Simcoe and Galaxy hops are melded with a honeyed malt base to produce a libation of eyebrow-arching and cackling goodness. The nose yields honeydew, bright pit fruit and a note of dank earth, while the flavor adds unrelenting bitterness with just enough relief in the long finish from grainy, slightly sweet malts.
- Dragonmead Corktown Red : Carmel, Crystal and Munich malts are combined with choice American two-row malted barley to create this beer named for Detroit's historic community. Four separate additions of hops give this beer a complex taste that can be enjoyed anywhere.
- Radler : An aroma of juicy Texas Ruby Red grapefruit topped with sweet sugar tickles the tongue with bubbly soda-like carbonation in this beer that even your mother will love.
- Blood Turning Black Aged In Jim Beam Bourbon Barrels : BLOOD TURNING BLACK is a Robust Porter aged in Jim Beam bourbon with toasted coconut shavings and square one locally roasted coffee to intensify the flavors in this decadent porter. This porter was created in our new brewery, with our propriety yeast and fermented in Jim Beam bourbon barrels for 10 months. Blood Turning Black is suitable for aging up to 3 years when cellared properly. Best stored and cellared around 55F (13C) in a dark place. Ideal service temperature is 50F (10C). Please pour carefully laving the yeast sediment behind in the bottle. Best served in a tulip class.
- Bim Bam Boom : Bim Bam Boom is a rich dark stout brewed with cocoa nibs, cayenne pepper, and orange. Initial flavors are of sweet citrus followed by a lively tingling of peppery spice. A finish complete with roasted cocoa and tart orange flavors leaves a lasting impression.
- DryHop / 18th Street Fat Sacks : Brewed with our friends at 18th Street Brewery, this IPA highlights Amarillo and Hull Melon hops. The tropical and fruity qualities of these hops turn this beer into an easy drinking, juicy IPA.
- Farm Porter : Like all the beers in our "Farm" series, this porter was brewed with rye and oats for a drinkable malt body. Chocolate malts offer a roasty element reminiscent of dark chocolate and coffee, and the aging on charred hickory logs takes this beer to another level. Look for a woody nose and a light hickory char at the finish.
- The Florist : A Spontaneous Wild Ale, fermented and aged in Oak Gin Barrels for an average of 20 Months, then conditioned in barrels with Fresh Meyer Lemon and Duncan Grapefruit Zest and Juice. Blended in Collaboration with our Friends at Fonta Flora Brewing.
- Old Gander Barley Wine : Old Gander is more of a specialty beer as it is aged in Jack Daniels Oak Barrels. This beer is a blend of our aged Old Gander with newly brewed Barley Wine. The aroma is sweet, with hints of vanilla, sugar and toffee. The blend produces a complex taste. The hop bitterness is noticable, but only so much as to counter-act the maltiness. The flavors are unique to a beer that spends so much time in an oak barrel.
- Riptide IPA : Riptide is an American style IPA with a brilliant balance of malt and hops. Riptide has a ruby red hue with a smooth beginning and a complex, delectable hoppy finish
- Double IPA : Light gold in colour. Citrus, pineapple, peach and grapefruit aromas on the forefront. Malt takes a backseat to the flavours from the liberal use of Amarillo, Cascade and Columbus hops in this beer.
- Dog E : Dog E is an extra special brew, marking 9 years of BrewDog. Like dogs A to D before it, Dog E is an imperial stout with speciality ingredients, then barrel-aged. Dog E pours like dark matter into your glass, with a deep tan head. The nose is subtle but powerful, and on the palate, there’s a treacle toffee backbone, supporting the spicy hop flavour and naga chilli heat. Dog E is like eating chocolate ice cream and drinking cognac in a leather armchair. It’s also perfect for cellaring, or for a vertical tasting with Dog A, B, C & D.
- Sour Red On Blackberries And Raspberries : We aged our entire batch of Flanders Sour Ale on a blend of blackberries and raspberries for an additional 3 months. The result is jammy, complex, & wine like with a malty, tart finish.
- Griffon Bruxellois : We debuted Griffon Bruxellois late in 2012 at a few of our events and it was quite a hit. This dark, sour ale was aged in oak barrels on cherries, giving it an incredible fruit flavor, balanced by the roasted malt and lactic tartness. We must admit, this bottle-conditioned beer didn't turn out quite as carbonated as we were hoping for, but it is still an incredible beer, 100% worthy of our high standards to be sold, served, shared and enjoyed!
- Bourbon Barrel-Aged Holiday Spice : Dark amber lager with clover honey, cinnamon, nutmeg, clove, ginger, and orange peel. Aged in used Great Lakes Distillery bourbon barrel.
- Belgian Mini Wheat : This Belgian-style Blonde Ale is actually a Small Beer made from the 2nd runnings of wort from our Imperial Wheat (formerly known as Congressional Approval). Its grist was made up of 50% 2row and 50% white wheat. It was mildly hopped with Magnum for bittering, and Crystal for finishing hops. The twist for this brew was that we fermented it with Belgian Ardennes yeast, which provides a lovely blend of fruity esters and phenolic notes. We then dry-hopped this beer with our last 11# of German Mandarina, which adds a kiss of fruit as well. A lighter-bodied, refreshing beer option for your Thanksgiving meal.
- Leaves Of Grass: May 2, 2016 : This iteration is a dry-hopped dark Farmstead ale fermented entirely in oak.
- Abita Bourbon Street Imperial Stout : Bourbon Street Stout is an Imperial Stout that is aged in small batch bourbon barrels. Our Imperial Stout is brewed with a combination of pale, caramel, chocolate and roasted malts. Oats are also added to give the beer a fuller and sweeter taste. The roasted malts give the beer its dark color as well as its intense flavor and aroma. After fermentation the beer is cold aged for 6 weeks. This is necessary for all of the flavors of the malt and hops to balance and produce a very smooth flavor.
- Ephemeris : We brewed this IPA with balance in mind, lending equal parts of oats and wheat in the malt bill. Dry hopped with Idaho 7 & Mosaic - imparting tropical characteristics of grapefruit, apricot, and citrus. The resiny pine flavor reminds you of your footing, but be sure to look up and enjoy the canvas above.
- Dark Sour On Cherries : This beer was made using the same technique we used to make Jelly King, but incorporates a small amount of darker specialty malts for subtle cocoa/coffee flavours (and dark colour). Adding an extra step, we conditioned this beer on top of the stout-soaked tart cherries from the recently released 3 Minutes to Midnight (2016) prior to packaging.
- Dune Fruit : While standing on Mount Mitchill, scanning our favorite local beaches, you can find paddles of the indigenous prickly pear cactus underfoot. Once you learn how to peel them (being carful of the less obvious finer thorns), there is a pleasing spring legume sweetness to be found. With Dune Fruit we add the meat of prickly pear paddles to a simply soured wheat beer to draw out their subtle vegetable sweetness and cut their viscidity with some acid. A delicate balance of vegetal and brightness in the form of an unassuming sour. Drink Dune Fruit because it’s the top of the summer and it’s time to shift that palate back to the sand.
- NJ351 - Bourbon Barrel Aged : English Pale malts and flaked barley meld with blackstrap molasses for a hearty and complex malt flavor. For hops we used Cluster the first hop cultivated in the US. The beer finishes with the modern Simcoe and centennial. The bourbon aging then adds its own unique character to make this a perfect dessert beer. The latter gives a deep piney flavor aroma, a nod to a state treasure-the Pine Barrens.
- Porter : In this quite dark ale, dark malts provide flavors of coffee and dried fruit. Try with dark chocolate, cheese or red meat dishes.
- Courageous Conductor : The General , steam engine extraordinaire, was hi jacked by Union spies. It took itʼs conductor William Fuller to chase them down and bring the train home. Our tribute to his bravery and balls, is a “courageous” take on the fruit porter. Raspberry. Cherry. Vanilla. This chocolate hero will chase you down too!
- Berry White Berliner Weisse : Grist of 2-row and wheat malt, kettle soured with a locally sourced yogurt. Massive fruit additions of boysenberry, blueberry and raspberry at whirlpool and throughout fermentation give the beer a unique fruit profile.
- Ronen HaHita HaMehutzefet (Cheeky Wheat) : Amber colored beer in the the Dunkle Weiss style with floral aromas and flavors that sneaks around the areas of style. Contains delicate fruit flavors of orange, lemon, cloves and a hint of banana. Beer lovers enjoy its presence, body and complex flavor.
- Mango Wheat : This bright and flavorful wheat ale is a perfect warm weather beer. The base beer is a well balanced, mildly sweet American wheat ale with a bready malt flavor. The added mango provides a delicious fruit overtone in both aroma and flavor. Pair this beer with fried fish or ceviche.
- Never Letgo : Never Letgo is the next iteration in our fruited Gose series. Clocking in at 4.9%, Never Letgo was conditioned on hundreds and hundreds of gallons of Pomegranate purée.
- Green Dragon : This big barleywine is malty and chewy as well as packed full of aromatic and flavorful New Zealand hops. Over a ton of malt went into the mash on this beast. Pale malt forms the base and additions of wheat, Victory malt, and British caramel malt give a complex character that comes through as toffee, caramel, and dark fruits. A blend of Pacific Gem, Topaz, Wakatu, Motueka, and Nelson Sauvin hops lend notes of vanilla, tropical fruits, earthy spice, and citrus. There's a lot going on here, just like in the Lord of the Rings.
- Scotch Ale : In the tradition of dark Scottish ales. Peat-roasted malt delivers a full-bodied dark ale packed with flavour that does not finish with a bitter taste.
- Curiosity Fourteen : Our burst of Curiosity persists… ! Brewed with a massive dose of Northwest American hops, Fourteen pours a brilliant hazy orange in the glass with a dense and creamy head. We experience intense flavors and aromas of sweet orange, jackfruit, papaya, guava, and mango - Perhaps the most purely tropical beer we’ve ever brewed…or, in Lauren's words: "it tastes like the rainbow". The finish is strong, providing balance to the sweet fruit flavors. Your patience will be awarded, as Fourteen’s complexity opens up as she warms... A beautiful beer, in our opinion!
- American IPA : This rendition of an IPA blends the best of the West Coast and East Coast approaches. The complex and malt-forward characteristic found primarily in East Cost IPAs is balanced by Summit, Cascade, and Centennial hops added in the boil for a multi-level bitterness. We then dry-hopped with Simcoe and Centennial hops - intensifying the beer in the West Coast style with an array of citrus, resinous pine, and some floral aromas.
- D'Lila : A salute to our founder's grandmother, D'Lila offers a blend of fruit and citrus flavors. Fermented like a traditional wheat beer and hopped like an IPA, Mother's big golden wheat challenges bolder brew lovers, yet lemon and orange peel with bergamot tea make D'Lila a delightfully easy-drinking treat for all.
- Altbier : Altbier, literally translated as “Old Style” beer, is a classic German ale. BBC Altbier is brewed with additions of Munich, wheat, caramel, and chocolate malts creating a delicate, but flavorful malt profile. This delicious amber colored session beer is balanced with additions of tradtional spicy German hops creating a light and floral bouquet to compliment its complex malt profile.
- Monks' Wit : Monks’ Wit is distinctly fruity and spicy. The yeast lends a note of spice that accentuates the coriander, orange peel, and other spices. The malt itself provides a sweet, bready quality up front, a round fruitiness in the middle, and the hops and spices together with our pure brewing water, lend a clean, dry finish.
- Braambes en Vlier : This Forager Brewing collaboration began life as the spontaneous beer used in Glory in the Morning, a three barrel blend of different vintages of Méthode Traditionnelle (MT) beer. Prior to packaging Glory in the Morning, roughly 50 gallons was split off and transferred to a punchdown barrel where it was refermented on 2 lbs/gal of wild blackberries and a small portion of wild elderberries, both harvested in the woods of Minnesota by our friends from Forager Brewing Co. The barrel was punched down twice daily to re-submerge the fruit cap that floats to the top due to the CO2 produced during the refermentation, with the goal of increasing fruit contact with the beer. The result is a three-year spontaneous blend bursting with fruity, tannic, and subtly spicy flavors from Forager’s fruit contribution.
- The Raven : This porter is not at all sweet. Three dark malts are used in this brew, but the highest percentage is the chocolate malt giving it this distinct flavor.
- Monkey Stones : A collaboration between Monkey Paw and brewer Jeremy Moynier from Stone Brewing Company. A dark American lager that was judiciously hopped with Citra.
- Country Roads : Country Roads is our 2017 NC State gold medal winning Märzen style beer with a clean, malty richness and an almost sweet, nutty aftertaste. A perfect beer to enjoy with friends in the cool NC Fall weather.
- Scratch Beer 122 - 2013 (Galaxy IPA) : Beers – especially IPAs – brewed with hops from Australia and New Zealand are turning the heads of craft beer enthusiasts across the nation. We have dabbled with Galaxy hops in a few previous Scratch Beer offerings, but it is Scratch #122 that truly captures the essence of this wonderfully complex hop variety from “down under.” Its high alpha acid content and intense aromatics make Galaxy a perfect dual-purpose hop (for bittering and aroma). Boasting a broad bouquet and zesty flavor profile, Galaxy hops offer a virtual “produce stand” of tropical fruit diversity. Scratch #122 will overwhelm your palate with hints of sweet and tart passionfruit, ripe peach, lemon-lime, papaya, pineapple, and mango. If that doesn’t make you thirsty, we don’t know what will!
- Shokolad Stout : Full-bodied stout that starts with a complex, malty sweet and high-roasted character and is brewed with 44 pounds of chocolate and aged with fresh organic cocoa nibs and whole vanilla beans.
- Kölsch : "In Cologne, Germany, many a brewery produces a light-bodied ale with a delicate fruitiness and rounded maltiness, attributable to the unique yeast strain commonly used. Our Kölsch is unfiltered and more generously hopped than its German cousin." 
- 10 Lords-A-Leaping : Dark Imperial Wit Ale with ten different spices: allspice, anise, cinnamon, cloves, coriander, dried apples, ginger, mace, nutmeg and orange peel. Brewed for the 10th beer of their "12 Days of Christmas" series.
- Motif : Belgian Style Dark Sour ale aged in Sherry barrels.
- Night Cycle : A giant imperial stout with big notes of vanilla bean, roasted almonds and rich mounds of dark chocolate.
- Black Forest Robust Rye Porter : Once known as "three threads", porter began as a blend of 3 different beers of varying strength and maturity by the bartender. It wasn't until the 1720's when a brewer Ralph Harwood brewed the first porter in an effort to lighten the workload on English pub owners. Our porter is made in the robust sub-style, characterized by an increased alcohol content from that of a brown porter. Porters tend to highlight chocolate flavors along with a slight burnt/astringent flavor from the addition of chocolate and black malts respectively. Our porter also includes a small percentage of rye malt in the grain bill to add a slight spiciness. The result is a complex beer that goes down easy! A perfect beer to welcome fall and prepare for colder nights.
- Batch #3 - Milk Stout (Brown Bag Series) : Our Brown Bag Milk Stout is jet black in appearance and has a prominent aroma of roasted barley and coffee, with some chocolate secondary notes. A thick, creamy and long-lasting head is characteristic. The flavor is sweet, with a mild roasted character lasting through the finish, accompanied by a balancing smooth creaminess. The overall impression is a very dark, sweet, creamy ale. A treat for the aficionado of classic styles, this product will have very limited distribution.
- Who, You? : Dark brown chocolate ale. Brewed with lactose, and conditioned on heaps of Ecuadorian cacao nibs and a touch of vanilla beans.
- No. 14 The Sour : A Sour character is dominant with a moderately fruity/lemon/tart apple flavour and always effervescent. It is a refreshing Berliner Weisse in style, but brewed to Parkdale gravities! With the addition of a shot of sugar syrups (‘mit schuss’) flavoured with raspberry (‘himbeer’), woodruff (‘waldmeister’) or cranberry cordial (‘herbeer’) the permutations are endless.
- Eat Your Paisley Barrel Aged Brown Ale : Brewed with hazelnuts and milk sugar, then aged on chocolate and in whiskey barrels this brown ale is bursting with rich, complex flavors. This ale has whiskey and vanilla aromas as well as chocolate and subtle nut flavors.
- Labatt Bleue : Quebec’s official colour is blue and fittingly, Labatt Bleue has been a part of life in Quebec since it debuted in the province in 1964. On June 24, Labatt Bleue sponsors all of the province-wide, St-Jean-Baptiste celebrations and is the main sponsor of the Just for Laughs festival in July. Labatt Bleue is the reward on July 1st, - the traditional moving day for all Quebecers. On the first hot, sunny days of summer, Labatt Bleue helps launch patio season - as quintessential as the Quebec winter. Labatt Bleue is a well-balanced, fully matured, full-flavoured beer with a fruity character and a slightly sweet aftertaste. 
- Winter Warmer : Brewery description: This strong ale, with its deep mahogany color and intense fruity nose is our interpretation of a classic English barley wine. Its enjoyment lies in the balance between the rich maltiness, hoppy aroma and alcoholic warmth.
- Brigid's Irish Red : The story of Brigid (pronounced "Breed") is one shrouded in mystery; equal parts pagan history and Catholic sainthood, the one thing that seems to hold true is that she embodies the fiery spirit of Ireland. Our paean to her is held within the confines of a fine Irish-style red ale, a proud exultation that is bright, bold, and smooth. Brewed with molasses for a hint of jammy dark fruit, low medium hints of earthy hops come through, and creamy malt provides a calming backbone. A modest alcohol content keeps everything convivial, as there's plenty to toast come early spring.
- Saison Dolores : Introducing Saison Dolores, Almanac’s newest year-round beer. A bright, aromatic brew for all seasons inspired by San Francisco’s Mission District. We combine barley, rye and Sonoran Wheat grown in Mendocino County and ferment the beer with our house Saison yeast. Finally we dry hop it to create a California Saison with flavors of spicy white pepper, fruity melon and a clean food friendly finish.
- All Souls Ale : For centuries, shepherds have been hoisting a pint during the chilly Christmas season to warm their bones and wish for "peace on earth, good will toward men!" not just for a select few, but everyone, all souls. This beer is our salute to that sentiment. its style is saison - a golden fruity "seasonal" for the working man. Its strength is imperial - an 11% wonder, fit for a king!
- Bourbon Roasted Russian : This full-bodied Imperial stout was aged for 4 months in a Heaven Hill bourbon barrel along with fresh vanilla. Robust malty sweet flavors up front move into a roasted malt character and accented by notable hop character. Roasty, rich & complex.
- Queen’s Court Strawberry Blonde Ale : This blonde is an easy-drinking 5% ABV ale that has fresh strawberry juice added at the end of secondary fermentation. Local strawberries from Plant City are juiced in-house to add just enough fresh strawberry flavor to make an already-delicious beer that much better. Enjoy this light and fruity beauty cold on a hot Florida day. The brew’s royal moniker is an homage to the King and Queen of the Plant City Strawberry Festival.
- Ralphius : A deep, rich, multilayered beer with notes of Baker’s chocolate, warm vanilla, caramel, dark, jammy fruits, and a hint of anise, with the undertones of smooth bourbon in the finish. A lush, velvety, full mouthfeel is supported by tannins from the oak barrel. Aged 1 year.
- Old Stock Cellar Reserve (Aged In Rye Whiskey Barrels) : Old Stock Cellar Reserve 2014 is a small batch, limited release that has been aged in rye whiskey and wheat whiskey barrels. The aging process gives this world-class beer added layers of complexity and flavor. Bottled in a 500 ml bottle with a cork and wire finish, it is a memorable drink that should be enjoyed as a unique offering.
- The Two Pronged Crown : This big NW IPA exudes bright tangerine, grassy pine, and complex earthy notes from our abundant additions of dank Mosaic hops. Careful - this Green Manalishi may make you do things you don’t want to do. 
- Juicy Lucy : Juicy Lucy is a lighter IPA made to become your everyday beer. This delicious IPA delivers citrusy punch full of fruity flavors, namely papaya, apricot, and guava. This lovely lady was double dry hopped with Citra and Rakau hops.
- Mexican Lager : Our Mexican-style dark lager balances a delicate blend of caramelly, nutty, and toasty malt notes with crisp minerality and an earthy, lemony lager yeast character. It is fermented cool and conditioned cold, smoothing out the finish on this dry, refreshing lager.
- Double Shot - Guatemala El Socorro Maracaturra : We are so pleased to welcome Double Shot back to the line-up! For this batch, we utilized an inspirational coffee roasted by our friends at Olympia Coffee Company in Olympia Washington. As fate would have it, our search for the very best hops brought us into the realm of this exemplary roaster. The base beer for this batch is as rich as it has ever been; a function of carefully selected ingredients and uncompromising, hands on brewing processes. Guatemala El Socorro Mara is a characterful bean, and here it presents with flavors of cherry chocolate, cacao nib, dark spiced rum, honey, and even hints of tropical fruit. Flavors from the base beer - milk chocolate and chocolate mousse - peak through to provide layer upon layer of exceptional depth and complexity. This is a real treat, and one that will reward the senses as the beer is allowed to warm in the glass. We believe it is best enjoyed with a friend as a digestif to a fulfilling harvest dinner. Enjoy.
- Country White : The Country White Ale draws on the traditions of Belgian brewing with a modern twist. We use our farmhouse yeast strain to create a fruity profile, which is balanced against the softness of local, organic wheat and finished with a hint of citrus.
- Black Bart : A delicious blend of our Double Black and Mutiny. The rich complexity of Mutiny and the smoothness of Double Black combine to create one phenomenal beer.
- Abita Select Pale Ale : Our Pale Ale is made with Maris Otter Pale Malt from Norfolk, England. Maris Otter barley has been a favorite of English brewers for decades because of its rich color and exceptionally full-bodied flavor. We liberally hopped and dry hopped our Ale with American Cascade hops and fermented it with Pale Ale yeast. The use of our pristine and unaltered Abita Springs water softens the bitterness of the hops. The result is burnish orange ale with a rich body, fruity esters, and a snappy fresh citrus hop flavor.
- Intellectual Property Ale : This American IPA is filtered and bittered with high alpha hops from the Pacific Northwest, providing floral and herbal aromas and juicy flavors of grapefruit, pine, and orange. Intellectual Pale Ale is sunset orange colored and 100% Citra dry-hopped. Its bold hop bitterness is supported by a pale malt backbone, giving it a medium body, dry finish and zero bitter legal aftertaste…
- Saison Melange No. 3 : Blended from first use Gin and Wine barrels. Aged up to two years, providing a delicate Brettanomyces complexity to balance the characterful barrel contribution and expressive yeast notes. Tart, fruity, spicy, delicious.
- Pyranah Brown IPA : This beer is a collaboration between Pyranah Mouldings and Catawba Brewing. Head Brewer, Kevin Sondey, Asheville Operations Manager Shelton Steele and beertender Joel Northern are all avid whitewater paddlers. A collaboration with Pyranah only seemed natural. Pyranah Brown gets its brown color from a blend of crystal and black malts. It is generously hopped with Mosaic and Cascade to give it a plethora of tropical and stone fruit flavors and aromas.
- L1 Pilsner : This Bohemian style Pilsner has a clean, rich and complex sense of malt. Saaz hops add spicy notes.
- Here Comes The Night Time : A dark rye sour, brewed with aronia berries and smoked malts.
- The Galileo Gambit : A full bodied porter that is a beautiful marriage of dark chocolate, orange, and a hint of cardamom.
- Jenny Wit : A specialty beer that fuses together characteristics from Belgian and French wheat ales. Refreshingly crisp with a light nose of coriander and spice. Jenny has a zesty fruitiness and a dry, tart finish.
- School's Out IPA : This IPA is an extremely crisp and refreshing summertime IPA! The Pale color is the result of using pilsner malt, which is very light in color, while lending a distinctive malt profile. Flaked barely was added for extra body and head retention. Hop flavors and aromas dominate! Citrus and evergreen notes are immediately present, followed by hints of tropical fruit, and finishing with a pleasant lingering bitterness. While not exactly a lawnmower beer, this full-flavored, moderately dry ale should be a staple for any warm summer day! Cheers!
- Milkshake IPA - Fruit Punch : Fruit Punch Milkshake IPA is the latest turned-to-11 freaked out riff on THE boundary-pushing Culinary IPA series. Brewed with gobs of oats, lactose sugar and a heavy amount of hibiscus. Conditioned atop luscious Madagascar vanilla beans and a fresh and pungent mix of pineapple, guava, and passion fruit purées. Intensely hopped and then dry hopped with our favorite Mosaic and Citra. Intense notes of juicy red berry, cherry water ice, papaya slushies, and midsummer walks on the beach. Dreamt up with our Swedish life mates over at Omnipollo =)
- B-Funk : B-Funk (the B is meant to mirror 13 years of business). This beer was aged for over two years in oak barrels with Brettanomyces bruxellensis giving it a complex mix of oak, vanilla and fruit packed with a sour finish. The B Funk is a beer that defies a simple description.
- Guayaba De Oro : Guyaba de Oro was made specifically for our friends in Florida, who know and love their Berliner style beers and of course tropical fruits! Guayaba de Oro takes our oak aged base sour wheat beer, Faja de Oro, and conditions it atop of Guava nectar for an explosively dank tropical compliment to our already citrusy tart base.
- Sol Hominis : Our Belgian Golden Strong Ale is a true "four C" ale - crisp, clear, clean, and complex. The aroma and flavor are a perfect balance between bright fruits, lightly sweet malt, and floral hop bitterness. It is medium bodied , highly carbonated, and has a refreshingly dry finish. A devilishly delectable ale.
- Overtime : Imperial India Pale Ale brewed with Pilsner, Vienna and Wheat, fermented with American ale yeast finished with Citra, Motueka and Galaxy hops. Pours hazy orange. Dank aromas of citrus and tropical fruits.
- Café De Que? : Café de Que? is 5% ABV milk stout conceived by members of our packaging team. This rich, dark beer was brewed with plantains, Dominican coffee, cinnamon, nutmeg, lactose, wheat, Maris Otter malt, a blend of three roasted malt varieties, and English First Gold hops. It presents a deft balance of spice, roast and coffee notes culminating in a dry, fruity, chocolaty finish. Enjoy this sessionable winter warmer with our classic salmon sandwich or just with friends!
- Mandarina Experimental IPA : A soft + juicy India Pale Ale single-hopped with SIXTEEN LBS. of Mandarina hops. To quote YCH: "Bred at the Hop Research Institute in Hüll, Mandarina Bavaria displays pleasant fruitiness in finished beers." These hops complement the yeast strain used in our small batch Experimental IPA series, blending a touch of sweet vanilla to a well balanced and clean-finishing hop bomb. 
- Granite Mild : A dark ale with malt character and a hint of smoke. Well balanced, not too bitter and not quite as “mild” as you'd think at 3.8% ABV!
- Tart Farmhouse Ale : A kettle soured saison with a complex, multi-grain malt bill. This beer was made with spelt, oats, wheat, puffed wild rice and buckwheat, the soured with a house lacto blend. Tart and savory!
- Bon Vivant 2015 : A dry hopped Belgian ale aged in Pinot Noir barrels. We filled old Pinot Noir barrels from Archery Summit Winery with a hoppy Belgian golden ale and aged it for six months. The barrels contribute notes of light cherry, acidity, oak, and cola; meanwhile the hops are Comet and Amarillo, varietals prized for their pungency and fruitiness. Together they harmonize with the yeast and the malt character of the base beer.
- Double Bean Blonde Ale : Darkness and romance lurk beneath the golden exterior of this ale that combines the prominent flavors and aromas of coffee and the smooth richness of chocolate. We use simple, straightforward malts and hops to keep the focus on the notable characteristics of the featured ingredients. After the beer is fermented, we let it rest on cocoa nibs sourced from Ghana—one of the world’s largest chocolate exporters. In the final stage of production we add a cold coffee toddy made from filtered water and finely ground beans roasted by St. Louis’ own Kaldi’s Coffee and sourced directly from the Shiwanda Estate in Africa’s southeastern Tanzania.
- Bidendum : Inspired by our building's past as a car garage, this bulbous stout adopts the name of a famous tire icon. Opaque black liquid capped with a sandy brown head supported by light carbonation. The mellow roast aroma leads into flavors of fruity dark chocolate, and despite low bitterness this beer doesn't finish overly sweet.
- Thomas Hooker American Pale Ale : Thomas Hooker American Pale Ale is an extremely vivid, medium-bodied brew. Hooker Pale Ale stresses the crisp bitterness, lingering resin flavor, and aroma of American hops which are characteristic of the most distinctive West Coast Ales. The caramel sweetness of the malt balances the chock-full-of-hops flavor to yield a complex but quite refreshing brew.
- Fantôme De Noel : This ever-evolving offering is said to be spiced with honey, caramel, black pepper, coriander and (per usual with Fantôme) a number of other special secret ingredients. A rich, dark-flavored beer with lots of deep-roasted chocolate malt, but still fairly dry, with a hint of sourness at the core. It is very spicy, with some winter spruce flavor in the bargain. The wild yeast sourness also adds to its welcoming character.
- De Ranke Père Noël : Père Noël is a Christmas ale, though very different from any other Christmas ales you might know. While most Christmas ales are rich & sweet, this one is amber-coloured, 7% vol. Alc. strong and tastes quite bitter. The complex taste is completed with the addition of liquorice. In the recipe we can also find pale malt, Munich malt, Caramel malt, Brewers Gold hops and Hallertau hops.
- Citrillo : Traditional American Pale Ale brewed with Citra and Amarillo hops for a bright grapefruit and orange zest experience and balanced with a solid malt backbone.
- Black Plague Ale (Aged On Laphroaig Soaked Oak Spiral And Vanilla Beans.) : This ale is has been produced in keeping with traditional techniques, which means each firkin produced has its own unique quality and taste. Aged for 5 months the final product marries the sweet dark caramel finish of our Black Plague Ale with the bold, peat smoky taste of Laphroaig Single Malt Whisky. The resulting flavor is a unique ale that adds a wee taste of Scotland to our Russian Imperial Stout. This dark sweet salty caramel ale finishes with a hint of peat and a tad of sea salt spray from the Isle of Islay.
- Gordon Biersch Czech Style Pilsner : Czech Pilsner is a crisp, golden, highly hopped lager. This style beer was first brewed in Pilsen, Czechoslovakia in 1842 using a sample of special yeast smuggled from Germany by a Czech monk. Until this time all beers were dark and cloudy. The new Czech Pilsner was the first beer to be brewed clear and golden.
- Monk From The Yunk : This strong, golden colored ale is brewed with pilsner malt and noble hops, but it is the traditional Belgian strain of yeast that provides the complex aromas of fruit and spice. With a dry finish and a relatively light body, you will find our Belgian Tripel very drinkable for a beer this potent.
- Scout Stout : This dark ale is brewed with ten different malts including pale, Vienna, biscuit, chocolate, roasted wheat, oat malt, roasted barley and assorted caramels for a very complex palate. The addition of toasted wheat and oats lends a silky, nutty mouth feel. Scout Stout is very full-bodied and flavorful. Nugget hops are used for bittering, while English varieties of Willamette, Fuggle, and East Kent Goldings add flavor and aroma. It finishes with a distinctive dry roasted bitterness.
- Double Dry Hopped Melcher Street with Passion Fruit : This beer was served at the Trillium Field Trip event on August 4, 2018. DDH Melcher Street with Passion Fruit added.
- Dekkera : Dekkera is a 4%ABV table beer fermented with our house brett strain. Dry fruits and brett character in a very easy drinking beer.
- Curiosity Twenty Six : The 26th installment of our Curiosity Series is an American Pale Ale featuring primarily El Dorado with a splash of Citra hops! Curiosity 26 is built on a sturdy malt base of 2-row, carafoam, and medium crystal providing a deep orange hue and a solid backbone to a supremely hop saturated pale ale! The aroma is potent and citrusy, leading our palates to flavors of orange, mango, and a mixed bouquet tropical fruit. The finish dissolves in a soft mouthfeel and rounded pithy bitterness, vanishing quickly from the pallet and priming the next sip. A real crusher of a Curiosity, indeed!
- He Ain't Heffe : He Ain’t Heffe is our take on the traditional German hefeweizen. An unfiltered wheat beer, it has a big nose full of banana and clove, a light and fruity flavor and a very small hop profile. Sweet and refreshing… a great lawnmower beer!
- You’ll Hop Your Rye Out : This dark and most definitely Roasty Porter is one of a kind. Black rye is evident on the nose. The bitterness of the hop profile is rounded out by a bit of malty sweetness.
- Cake Chocolate Raspberry Stout : No fork needed for this cake! Our sweet stout is layered with dark chocolate notes followed by tart raspberry and a long smooth finish. Not just good for breakfast , but also enjoyed as a dessert or late night snack. Dig In!
- Carnival : American porter brewed with salt and vanilla. One sip of Carnival, and you'll feel the festivity flowing through you. It's rich and dark, with lively vanilla sweetness and complex contrast from the salt. A beer for those who dream big, gaze in wonder, and search for something just a little unique to light up their day.
- Simcoe Flavor Wheel : To simulate Simcoe’s aromatic profile we added passionfruit, blueberry, spruce tips, beets, and coriander to our mixed fermentation, oak-aged base beer. And of course, Simcoe Flavor Wheel would not be complete without a generous addition of its namesake hop. The result is a trip around the flavor wheel that you won’t soon forget.
- Lounge Against The Macromachine : Dark Lord aged in tequila barrels with Mekong cinnamon, cocoa nibs, guajillo peppers + tangerine peel
- Prison Rodeo Hoppy Coffee Ale : We have been using coffee in beer for years. What began with Bomb! eventually made an appearance in Okie and Noir. Roast and chocolate and dark flavors dominated these beers. They were what most people would expect from a coffee beer. While loving these beers we also knew we could do a lot more with coffee. We knew there was an array of flavors in coffee and beer that would be great together. We wanted to take a different approach.
- Tahoe Blue : Pale ale brewed with the finest 2 row pale malt and aggressively hopped with Cascade and Galena. This brew has light sweetness and has essences of grapefruit and other citrus. This medium bodied beer is 6.0% ABV, 55 IBU's, and is best enjoyed at 50°F-60°F.
- Seeing Is Believing : Carefully house blended malts present robust notes of coffee and dark chocolate.
- Laid Back IPA : An easy drinking 'Laid-Back' session style American IPA. Bright pineapple and passion fruit notes, light bodied with lingering bitterness in the finish.
- White Birch Barrel Aged Tripel : 2009 – Our Tripel aged in a barrel for an extended period of time. Belgian esters and light fruit notes meld with a smooth vanilla and oak to create a rich smooth sipping beer. Our first batch rings in at 11.65%, medium bodied with a smooth finish.
- Moirai India Pale Ale : This beer is defined by its pronounced hop bitterness, flavor and aroma. It has a solid malt backbone that works with the citrusy American hops. The hop bouquet resonates like flavors of tangerine and ruby red grapefruit. The mouth feel is crisp and dry leaving a balance of bitterness and rich malt on the palate. It is golden honey in color.
- Rhode Island IPA : The first I.P.A. available throughout Rhode Island since Ballantine I.P.A. The most bitter of the Pale Ale family, India Pale Ales malty flavor is accented by fruity aromas, a dry bitter finish and bright copper color. Unfiltered.
- Newport Storm '01 : Following on the coat-tails of the vastly popular ‘00’, we embarked on an even bigger quest with the ’01. We made it darker with crystal malt. We made it toastier with even more munich malt, and we ravaged a few local specialty food stores and bought real Tahitian Vanilla Beans that we added to the brew! Like its predecessor, this brew was aged for almost a year before being released, giving it natural carbonation, and begging to be laid down for at least three years!
- Creemore Springs UrBock : Bock beers gained notoriety in Munich back in 1612. All the Bavarian nobles were drinking fashionable northern ales known as Einbeck Bier. So Duke Maximillian I of Munich hired his own northern brewmaster, who created a lager similar in character but superior in taste. It won back the local aristocrats. Inspired by his entrepreneurial spirit we started brewing our own urBock – rich, ruby-hued beer with subtle, dark roasted flavours. It’s an aristocratic beer but rest assured, you needn’t be a Duke to enjoy it.
- Powder Hound Winter Ale : Two words describe winter in our neck of the woods... cold, dark, and snowy. Just the way we like it! At 7.2% ABV, Powder Hound Winter Ale gives just the right amount of warmth, balanced by its rich taste and generous dose of Hallertau, Palisade, and Amarillo hops. After a cold day of getting it done or just relaxing, the avalanche of flavor will have you saying these four words - "I'll have another Powder Hound"!
- Bar Harbor Blueberry Ale : A light fruit ale, made with Maine wild blueberries. As opposed to many of the sweeter fruit beers on the market, our addition of fresh Maine wild blueberries in this light ale yields a subtle blueberry aroma, without the sweet aftertaste. A mixture of the following Mutton malts, pale, crystal, and Munich, are combined with wheat to give this ale its lighter body, and we only use minimal amounts of Target and Willamette hops.
- The Cut: Blackberry : The Cut series is Oak Theory aged on whole CO fruit, more than twice the amount of Fruit Stand.
- Scratch Beer 151 - 2014 (IPA) : The IPAs just keep coming… and coming… and coming! This latest Scratch Beer combines three of our favorite hop varieties: Cascade, the classic craft beer workhorse with an unmistakable grapefruit note; Chinook, a favored variety here at Tröegs, with its earthy, sticky pine qualities; and El Dorado, a wonderfully multifaceted variety incorporating tropical fruit, pear, melon, and fresh-cut grass attributes. If that wasn’t enough, we further dry-hop with Centennial, Cascade, and Columbus to deliver an explosive citrus-forward aroma.
- Lucia's Bounty : Lucia, named for the patron saint of wheat, boasts a rich malt character with a wonderful notes [sic] of banana, spice and berry fruit derived from the authentic German yeast strain used during fermentation. Ideally pairs with a wide variety of holiday desserts, it is the perfect companion to bread puddings and mince pies. Or enjoy it as dessert itself, Prost!
- Tornado Dust : A dusty 2 hop tornado combining El Dorado & Centennial. Aromas of lychee, starfruit, & mango with floral undertones.
- Native Six : Native Six is a primary oak fermented version of Native One. Fermented in wine puncheons for three months and bottle conditioned for seventeen months, Native Six is a soft vinous ale with notes of white peach, red grapefruit, tart lemon, and subtle brettanomyces character.
- Killer Red : Fresh Hop IRA. Hops from Sodbuster Farms in the Willamette Valley are picked, transported, and put in to the brew within two hours. The exorbitant amount of fresh Perle whole leaf hops heaped in to the kettle and hop back give this juiced up IRA a wonderful ripe apple, dank forest, and fruited pine flavors and aromas.
- Willy : Willy, named after my brother-in-law’s childhood nickname, is crisp and light-bodied, with a slightly sweet, nutty flavor. The hopping is mild and gentle. It’s perfect for times when you crave a beer utterly refreshing and low in alcohol. A true thirst quencher everyone enjoys. 
- Nom De Plum : A blend of pale malts starts us off, combined with our house Belgian yeast strain and a touch of coriander in the kettle, which provides a subtle spiciness to compliment fruity plum flavors and a lingering fresh tartness. Hops are at a minimum, and the fresh plum juice lends bright fruit character plus a really cool color to the beer as showcased in its tulip-style glass. Highly effervescent, fruity but not sweet as the fruit is fully fermented, with a fully dry finish.
- Sunken Island Sour : Sunken Island Sour is a dry hopped American Sour Ale with grapefruit zest. Golden in color with a white head, you’re immediately greeted with aromas of grapefruit, mango, and pineapple. Medium bodied with a juicy mouthfeel, this beer has huge citrus flavors and a slight tartness. Finishing fairly clean with light bitterness, this beer is super crushable. Named for the Sunken Island at Higgins Lake, MI, this beer was brewed in honor of Emily & Joe’s wedding in September 2017.
- Sour Batch (Tiki) #1 : A tart & juicy dry hopped kettle sour with over 120 lb's of pureed Pink Guava, Mangoes & Passion Fruit, added post fermentation for a pleasant and tropical experience. Kohatu hops were added in the whirlpool and Citra in the dry hop to compliment the tartness from the lactobacillus. Get ready to pucker up!
- St. Feuillien Triple : This beer has a white, smooth and very compact head. Its pale amber colour is very characteristic revealing a distinctive maltiness. It has a rich aroma with a unique combination of aromatic hops, spices and the typical bouquet of fermentation – very fruity. Secondary fermentation in the bottle gives it a unique aroma due to the presence of yeast. St-Feuillien Triple has a very strong and exceptionally lingering taste thanks to its density and its long storage period. Whether served as a refreshing aperitif in summer or savoured during the winter months, the Triple is a connoisseur’s beer par excellence.
- The Last Aurochs Weizenbock : The Last Aurochs Weizenbock takes a traditional approach to the Weizenbock style, mixing hefeweizen yeast with the classic Bock malt profile for a bold, powerful beer. Complex flavours of dark fruit, spice and banana bread round out it’s effervescent body and deliver a delicious finish.
- Black Caesar : "Being the right hand to the most feared pirate ever known could only mean that Black Caesar would have to be strong. We took a turn and succeeded; giving this Cascadian Black IPA a roasted coffee, chocolate and orange marmalade aroma on a tasteful dark ale with a cream color head."
- Dunkelweisse : Our “dunkel” is made from a mixed mash of wheat and barley malts as well as a special blend of caramelized and roasted malt expressing a rich colour and wonderful complexity. Notes of coffee and a hint of smoke join together to create a finish that lingers long after your glass is empty.
- Hardtack : Long before the English were making Barley Wines the Tibetans were making their version high in the Himalayan mountains. Our brew-pub exclusive version was brewed to 20 Plato with Maris Otter malt, Tibetan purple highlandprairie barley, and agave nectar. Hardtack was flavored with Rhodiola Rosea (a bitter citrusy tree root also from Tibet) and dried sour cherries in the kettle and hopped with Nelson Sauvin from New Zealand. Following fermentation a third of the beer was transferred to an oak barrel which was seasoned with Port. To that barrel we added 40 pounds of sour Morello cherries and aged it for two months. Following the aging period, we blended the wood aged beer with the other two thirds. Hardtack is complex, crisp, and strong with flavors of sour cherry and a floral aroma.
- 6th Nail : Imagine a bubbly white crest on top of dawn’s first light. You’ve just pictured our 6th-anniversary collaboration with the Pine Box, pFriem 6th Nail. Now imagine effervescent aromas of strawberry, plum jelly, and pine, and tangy notes of peach flesh, ripe apricots and honeydew and you’ll almost taste it. It’s dry and refreshing and bright and fruity all at once.
- Somewhere, Something Incredible Is Waiting To Be Known : This new American stout is intended to complement the character of the season and the Thanksgiving tradition. Brewed with pale, caramel, and roasted malts and conditioned with a blend of chocolate, vanilla, and our favorite freshly roasted coffee, Somewhere pours a luscious pitch black in the glass with a dense mocha head. We taste and smell complex notes of swiss chocolate, vanilla ice cream, and chocolate chocolate chip cookies. A rich body and a gentle carbonation contribute to a beer that is the ideal holiday digestive. We hope this beer can serve as a lubricant to reflect and give thanks during this special time of year. Enjoy.
- Harmoney Well Spent : A beautiful blend of two traditional English style ales – the EPA and ESB – this beer harmonizes a full malt backbone alongside noble and fruity hop tones. The Simcoe, Cascade and Hallertau hop additions are just strong enough to be noticeable, while not overwhelming the malt character.
- Papa’s Oatmeal Stout : Jet black. Smells & tastes of dark roasted malts & dark chocolate. Smooth & soft mouthfeel.
- Smokeshow Brown Ale : (6.2%. 32 IBU) Smokeshow Brown Ale is a beer brewed for a girl with a love of malt. Malty and smooth, yet very drinkable with a relatively dry finish, this brew is well suited for any season or occasion. Brewed with hearty amounts of barley, oats, and wheat (and just a pinch of cherry wood smoked malt), Smokeshow Brown Ale has beautiful complexity, yet remains wonderfully smooth. Picture hanging out in a bakery with the aromas of freshly baking brown bread and wood smoke wafting around, and, at the same time, eating honeyed granola with a side of graham crackers. Thanks to my smokeshow, Steph!
- The Agent : Our flagship IPA. Double dry hopped to bring out more hop presence. Flavors of orange and grapefruit with a heathy malt backbone.
- Lion Lager : Undoubtedly the best selling among our mild beers, Lion Lager has a 4.8% alcohol volume and is credited as a great thirst quencher. Golden roasted malt in colour with a hint of fruit and caramel flavouring, it is very slightly sweet with less hop notes. The attractive labeling is in sophisticated black and gold, showcasing our strong but watchful golden lion as the king of the savannah, symbolising visionary leadership and power.
- Harvey's Christmas Ale : A traditional barley wine. The biscuit malt and vinous fruit palate is balanced by a strong hop bitterness. It is warming and reflects the spirit of Christmas. Recipient of Finland’s Olutseura Olviretki award for ‘excellently’ fulfilling “The Christmas Beer Regulation” described in Aleksis Kivi’s novel ‘Seven Brothers’.
- HopLab: Mandarina Pale Ale : The latest from our HopLab series, Mandarina is a 5.3% pale ale that highlights the Mandarina Bavaria hop. This is a newer German variety that brings distinct tangerine and citrus flavors to the mix. We also added Halletauer Blanc to the kettle and Lemon Drop in the dry hopping. Together these two newer hop varieties bring subtle grape, lemongrass and passion fruit flavors to this very drinkable pale ale.
- Stupid Sexy : Barrel Aged American Style Sour. A blend of two distinct barrel aged beers. Strange Magic, a 100% Brettanomyces and red wine barrel fermented dark farmhouse, and Ned, a Flemish brown style beer, also aged in red wine barrels.
- Spaced Out : This experiment pushed our boundaries in the brewery a bit farther than ever before, we brewed wort right into French oak barrels to ferment in the wood and age for only a short time. The result is a surprising infusion of wood flavor and tannin into a base beer with solid maltiness and bright, delicate citrus fruitiness. Enjoy this single batch goodness while you can!
- Pict's Stout : A round, roasted, full bodied brew, unearthed from medieval Scotland. Enjoy this dark, silky stout and its perfect blend of flaked oats and eight varieties of malted barley.
- Longboat Chocolate Porter : Classic Pairings in History: Stevie Wonder & Paul McCartney Super Dave Osborne & Mr. Fuji Cheddar cheese & pickles Bob & Doug McKenzie Mork & Mindy Bonnie & Clyde Chocolate & Beer!!! We'd say that Longboat is a classic chocolate porter, but lets face it, who's ever heard of a chocolate porter? It is, however, a rich dark ale, with a distinctive chocolate finish. Comes in a 650mL bottle, cause 341mL just isn't enough!
- Little Sal : Few things are more synonymous with Maine than blueberries. After we spent years making fruit beers, a tiny farm in Windham, Maine asked us to try a beer with their blueberries. We were so happy with the result, we decided to use their entire crop.
- Loophole Ale : Light in body and dry, this Kölsch-style ale is a true "session" beer. Dry-hopped for accentuated hop aroma, this slightly fruity clean-tasting ale delivers a tingling, refreshing tang in the finish, with 4.5%ABV and 20 IBUs.
- SFC IPA : Hopped with Mosaic, Citra, Chinook and Sterling. The Mosaic and Citra hops shine in this beer giving off awesome flavors of tropical fruit and various stonefruits. The Chinook and Sterling back up the fruity flavors with pine, spice and earth. This one is lighter on bitterness than most of ours and is somewhat of an old school meets new school IPA. Hope you guys enjoy
- Butternut Spiced Ale : This fall specialty was brewed with 100 pounds of fresh locally grown butternut squash. It has a toasty, rich and malty body with layered flavors of toffee, caramel and dark fruit. We also used a unique blend of fresh spices to give this specialty a warm, fall personality!
- Alaskan Sentinel Rye Pale Ale(Rough Draft Export Series) : "American Pale Ales are known for showcasing American hop varietals and this brew focuses palates toward several classic, new, and even experimental hop types in convert with loamy and peppery flavors of malted rye, Summit and Magnum hops lend a sturdy hop backbone to this deep bronze-colored beer, while the new Calypso hops add bright fruit characters. Mosaic hops feature a floral essence and new, still unnamed experimental hop variety brings it all together with notes of blueberry and coconut.
- Saranac Xocolatl : Inspired by the ceremonial chocolate beverage of the Yucatan peninsula, this Imperial Stout combines the flavors of unroasted cocoa, dried ancho and guajillo chili, Ceylon cinnamon, and vanilla bean. The resulting beer is a rich and complex mix of fiery chili, spice, and bitter dark chocolate.
- Backswing Brown Ale : Styled after the English brown, Backswing Brown is a great, year-round ale. With hints of chocolate, this easy drinking brown ale is dark in color and rich in flavor.
- Dunkler Stern : A delicious dark ale inspired by the schwartzbiers of Germany.
- Game Over - Passion Fruit & Peach : This is a blend of a 6 barrel aged golden sours that spent 6 months in neutral barrels, and our open fermented House Saison conditioned on 200lbs of Passion fruit and peaches.
- Shimmy Shimmy Yo : Dark sour on cherries. Collaboration with Defiance Brewing Co.
- Kirsch Gose : A bold and bright step outside the norm, the flavors of a unique, old world German brewing process excite your senses with the sharp and sweet burst of fresh cherries. Effervescent and sublime, this session ale has an enticing cherry-fruit character. European tradition and American ingenuity come together in the truest sense as you Taste Victory in Kirsch Gose.
- Hustler of Culture : Fruit & funk character dominates the nose of the first beer to feature our house brett culture. A blending of lab-sourced yeast, wild yeasts and wild bacterias create flavors and aromas of berries, light malt and a delicate tartness.
- Winter Ale : This rich, smooth, copper-colored ale is brewed with six malts for a lot of aromatic complexity, with cookie, caramel, raisin and toasted marshmallow notes. New World versions of noble hop flavors bring a certain European elegance, but with a little more brash personality, topped off with the floral-and-citrus that the all-American hop—Cascade—delivers.
- Wendelinus Rossa : An aromatic and fruit-packed beer yo be enjoyed on every occasion… 
- Black Ox : A dark brew with hints of coffee and chocolate nicely balanced with a subtle help influence. A substantial, malty ale… complex and flavorful with a medium body and a slightly rusty finish.
- Good Farmhouse Ale : This is a very complex style; with a very fruity aroma and flavor - mostly from the use of a unique Belgian Ale Yeast used to ferment this tasty beer. Look for earthy yeast tones and mild tartness and lots of spice. McCoy's Farmhouse Ale tends to be semi-dry with lots of Fruity and flavor and aroma. It is unfiltered and characteristically cloudy.
- Lust : LUST Belgian-style Dark Strong Ale stirs shameless desire in men (and women) with its captivating appearance, enticing aroma and satisfying flavors. Aged in bourbon oak barrels for twelve months, Lust is worldly, smooth and decadent. Sour cherries contribute tartness while brettanomyces brings muskiness to this naughty brew.
- Fernson JJ's Knob Creek Single Barrel Aged Russian Imperial Stout : A big, bold Russian Imperial Stout aged in a JJ's Knob Creek Single Barrel bourbon barrel. Rich and expressive with chocolate notes and some stone fruit character. 
- Elaborative #4 : Originally brewed in August of 2015 with our friends Brad Clark of Jackie O’s Pub & Brewery, Chad Yakobson of Crooked Stave Artisan Ales and Cory King of Side Project Brewing, we once again brew this beer—inspired by the German radler—with ample amounts of grapefruit zest and juice, wheat, and oats. In perfect time for our Festival of Farmhouse Ales, where we'll be joined by these same friends again... this bright, aromatic Farmstead ale is a refreshing 3.2% abv and now in a larger format from the original release—for better sharing! Best enjoyed chilled between 40-45F.
- Never Never Backdown Backdown : Never Never Backdown Backdown is the double fruited version of our apricot gose Never Backdown. Clocking in at 5.1%, Never Never Backdown Backdown is conditioned on over two tons (literally) of apricot purée. Insanley bright, fuzzy apricots in your nose and mouth hole that keeps going and going.
- Elderfrost : This is a medium-bodied, malty ale that pairs well with the cold weather. In the glass you'll see dark ruby and garnet colors coming through. Floral and slightly spicy aromas pair perfectly with the holiday season. The aroma is complemented by flavors such as caramel, burnt sugar, toffee, dark fruits and a slight roastiness. At 8% abv, this winter ale finishes with a warming sensation that lingers into the next sip.
- Brother Nature : A juicy, hoppy pale ale with grapefruit peel 
- World Wide Stout : Brewed with a ridiculous amount of barley, World Wide Stout is dark, rich, roasty and complex. This ageable ale clocks in at 15-20% ABV and has a depth more in line with a fine port than with a can of cheap, mass-marketed beer.
- St. Peter's Cream Stout : 'Fuggles' and 'Challenger' hops plus a blend of 4 local barley malts create an aromatic, robust, dark chocolate cream stout with a satisfying bittersweet aftertaste. Brewed with skill and patience in one of Britain's finest small breweries.
- Ghost In The Graveyard : A dark roasted ale with German malts, a touch of wheat and orange blossom honey. This beer also gets spiced with a special blend of nutmeg, cardamon, clove, cinnamon sticks, orange peels and some other trade secret spices. As if that wasn't enough, once fermentation is underway we pump in fresh blueberries.
- Easter Porter : Malt: Pilsner, Munich, Smoked, Dark Crystal, Pale Chocolate. Roasted Barley. 
- Old Sour Cherry Porter : From Rivertown’s Barrel Aged Series, brewed exclusively for Party Source. (Per the label) "We combined our Imperial Porter with fresh dark Michigan cherries, and then aged it for over three months in a bourbon barrel inoculated with wild yeast. This is a bottle conditioned ale, and can cellar for over five years. Enjoy!
- Satan's Bake Sale Mint Chocolate Chip Stout : This stout is smooth, dark, full-bodied, and satisfyingly rich. This brew is aged on fresh peppermint leaves and dark Wilbur Chocolate, giving this stout a powerful aroma and pronounced mint chocolate chip flavor.
- Double Oaked Mastodon : Belgian Dark Strong Ale aged 10 Months in bourbon barrels and 3 months in red wine barrels
- End Of Story : Orange Juice Concentrate, Grapefruit, Cooling, Clementine, Mandarin.
- Duchess De Bridgeport : A Southside sour red ale brewed with our proprietary souring bacteria. Duchess De Bridgeport is our take on a Flanders red. Notes of strawberry, dried fruit, and candy-like citric hops intermingle with a round lactic sourness.
- Speed Metal Foreign Extra Stout : Our Foreign Extra Stout salutes the old-school chromoly steel hardtails that started our love affair with mountain biking and beer. Pedal to the metal with herbal hops that balance a heavy frame of dark chocolaty malts.
- Bumpin' This Thread : Re: Imperial IPA with Citra and Galaxy. Bump. Following up here, any updates? Super fruity nose with big mouthfeel coming from malted wheat and flaked oats.
- Imperial Zig Zag : Imperial Zig Zag, a 10% Imperial IPA based of of Zig Zag Smoke IPA. This beer is hopped with Apollo, Equinox and Simcoe and hit with a heavy dry hop of Simcoe lupulin powder. This West Cost style Imperial IPA has plenty of tropical fruit notes but maintains intense dank and piney qualities, as the style is known for.
- Smuttynose Star Island Single : Our Star Island Single is an eminently sessionable, Belgian-style pale ale offering a beguiling mix of flavor and refreshment. This medium-bodied golden ale features a slight residual sweetness from Honey Malt and hints of citrus and tropical fruits from the unique Belgian yeast it is fermented with, leaving a crisp dry finish. Enjoy it sociably while you savor good times, tall tales, friendly company & life’s unexpected pleasures.
- Back East Ale : Our Flagship offering, Back East Ale is a medium-bodied amber ale. This amber-colored beer features a subtle fruity aroma with hints of vanilla and peach. It has a smooth malt character that is nicely balanced with just a slight hop bitterness and a clean, crisp finish. Once you taste this favorite, we're sure you'll be reaching for another "Back East"!
- Scratch Beer 233 - 2016 (Double IPA Aka Double Blizzard) : Nicknamed “Double Blizzard,” Scratch #233 takes its inspiration from our Blizzard of Hops Winter IPA. Combining some of our favorite American hops with newer Australian varieties produces a wonderfully complex Double IPA with plenty of intense bitterness and a broad spectrum of hop flavors running the gamut of sweet and fruity to piney and herbaceous. The addition of White Wheat in the malt bill provides the ale with its characteristic haze and ample, frothy head.
- Hayburner American IPA : Hayburner is a luscious and citrusy IPA, with primary notes of orange, melon, grapefruit, and a slightly earthy finish. It packs a firm bitterness but remains balanced by abundant late hop additions and a soft, airy malt base.
- Neutron Dance : A crispy session IPA with palisade, mosaic and amarillo. Orchard fruits, orange zesty with a golden promise backbone.
- Cursed Realm : Cursed Realm was brewed with Vienna, Munich, and Caramel malts, hopped with Tettnang, and boiled with Dark Candi Syrup. It was then fermented in 3rd use Cognac barrels with a house Belgian strain and allowed to age for 3 weeks.
- Flanders Black Ale : An export style stout with roasted notes from dark malts with hints of coffee and noticeable cherry character. This dark beauty has a pronounced acidic profile with bourbon undertones.
- Virgil : Virgil is aged in Heaven Hill bourbon barrels, boasts a 12.9% ABV and features local malt (Double Dutch) from Deer Creek in Glen Mills, PA. This dark ale is complex and rich with notes of bourbon, vanilla, oak, port, raisin, subtle chocolates and roast.
- Upward Facing Eyes : Inspired by Belgian Saison and German Berliner Weisse; a lightly hoppy ale with a clean sourness, spiced with refreshing lime zest, juice and fruit.
- Truth : Rare are moments of truth, when you've struck the last match, belting out tunes with your friends, staring deep into the campfire-times when you feel infinite. Our truth is found in the scintillating brilliance of hops. Brewed with a nod to the pacific, hops sizzle with tropical fruit aroma, grapefruit & mango notes and a dry finish.
- Snopptorp Starkporter : Malt: pilsner malt, münchner malt, dark caramel malt and chocolate malt.
- Cherry Stout : "A mysterious dance of tart Michigan cherries with the dark, roasted malts of a big and bold stout." and "Stout brewed with cherry juice."
- Chimay Grande Réserve (Blue) : Originally brewed as a Christmas beer in 1948, this dark ale has rich flavors of mulling spices and caramel, with a smooth palate and warming finish.
- Arbre Dark Wheatwine (Alligator Char) : We brewed a dark, decadent wheatwine-style ale with chocolate wheat malt to accentuate the richness imparted through barrel-aging. We then divided the beer into three components, laying each down in new American oak barrels with varying degrees of barrel toast and char. This release showcases the robust, charred and dark chocolate notes contributed from aging in alligator charred oak barrels. Taste it side-by-side with its light toast and medium toast counterparts to bring the barrel-aging journey full circle.
- Tripel Tonnellerie : Tripel Tonnellerie is a 100% barrel fermented version of a Belgian Abbey Tripel. The base beer carries a classically clean maltiness, balanced by a fruity aroma and a dry, spicy mouthfeel. Extended fermentation in oak barrels inoculated with wild yeast allowed the beer to develop the rustic, earthy tones of a classic countryside biere de garde resulting in a uniquely flavorful beer, suitable for beer and wine lovers alike.
- Willow Wolves : Aromas of citrus and melon with hints of white pepper tantalize the nose of this delectable IPA. “Willow Wolves” is delicately balanced with hints of caramel and slight bitterness of grapefruit rind and pine on the finish.
- Devourer of Ears : This is a unspiced naked Saison brewed with barley oats and rye. Free rise fermentation develops a light fruit and pepper, while the assertive hopping profile creates a dry finish.
- Contains Nuts #2 (hazelnuts) : We conditioned this malty strong amber ale on 60 pounds of hand toasted hazelnuts for a nutty character that compliments that malts perfectly. Lightly hopped, this beer is all about the high quality English maris otter and crystal malts used to create its deep malt flavor and a touch of sweetness. It's pretty damn crushable and we think it's the perfect beer for the Thanksgiving table. It really will hold up well against any savory fall/winter cuisine and it has just enough sweetness for desserts that aren't over the top in sugar content. 
- Dark Lord Imperial Stout : A demonic Russian-Style Imperial Stout brewed with coffee, Mexican vanilla, and Indian sugar, this beer defies description. Available one day a year, in April at the brewery: Dark Lord Day.
- La Démence : Sour ale aged in American oak barrels with Eis Sauvignon Blanc grapes. It’s madness. Quite literally. Imagine freezing Sauvignon Blanc grapes and then hand-pressing the juice out of them to extract the sweetest, most nectarous substance possible from the grapes for an experimental ale that masquerades as wine. We did, even though the eis method yields about a third of the juice compared to traditional pressing methods, as the water freezes and the sweet juice remains for extraction. The effort with the grapes from Roblar Winery in Santa Ynez was worth it though, giving us the amplified level of sweetness and Sauvignon grape character that we desired for our creation. We then added the pressed juice to a carefully selected blend of about 75% sour ale and 25% bourbon barrel-aged ale and allowed its character to evolve and mature in American oak barrels. It’s equal parts crazy and complex, exhibiting bright and nectarous notes with chilling sublimity.
- Fhloston Paradise : Medium-light bodied sour wheat ale with grapefruit peel & juniper berries. - Grains: Pilsner, Wheat, Munich; - Hops: Hallertau
- Pabst Old Tankard Ale : Old Tankard is a classic American Ale that was first produced in Wisconsin in the 1930s, eventually becoming the #2 ale in America. Today, Old Tankard is brewed based on a recipe from Pabst's 1937 brewer’s log, using an authentic ale yeast with an alcohol content of 5.8% and 35 bitterness units. The top fermented brew has 2-row, imported Cara-Munich and Cara-Aroma malts with Nugget, Liberty, Willamette and Cascade hops. The result is a well-balanced, sessionable craft brew with a rich copper color, creamy head, and full body taste with notes of fruit and malt.
- The View From Nowhere : Passion fruit, pithy, Bahama Breeze, papaya, punch.
- Scottish Ale : We make our traditionally-brewed Scottish-style ale with nine different malts resulting in a complex, ultra-smooth, slightly sweet, full-bodied, malty ale.
- Highland Gaelic Ale : A deep amber colored American ale, featuring a rich malty body. Cascade and Willamette hops add a complex hop flavor and aroma. This ale is exceptionally balanced between malty sweetness and delicate hop bitterness.
- Nickel Brook Winey Bastard (Pinot Noir Barrel Aged Bolshevik Bastard) : Nickel Brook took some of the best Pinot Noir barrels from the Niagara wine region and tossed their Bolshevik Bastard Imperial Stout in it? I mean, what have they done to the soft oak and subtle, earthy fruit notes from the barrel? Their Imperial Stout has WAY too much chocolate, coffee and dark fruit flavours for the delicate notes imparted by the barrel-aging process. I don't know what they think they're doing. So what if it's delicious? Drink it today, or cellar it to enjoy later as it matures. A votre santé!
- Box Of Splintered Rain : Strawberry/Rosemary Double IPA brewed with oats, wheat, and Vienna malt. Heavily hopped with Citra, Mosaic, and Hellertau Blanc. Conditioned with over 100 lbs of fresh strawberries grown by our pal Ben Wenk of @3springsfruit in Adams County Pennsylvania.
- Bearded Guard : Fruity, clove-like and peppery aromas hit the nose and dominate the perception of this beer until taking a sip. When this beer hits the palate, grainy and toasty flavors from the various grains make their presence known and finish into a dry, wine-like fruitiness.
- Another Round: Witbier : Sitting with a dense, white head, this beer is golden straw in color and appropriately hazy. Its filled with yeast and fruit esters that mix well with complementary white pepper aromas. This witbier is filled with coriander and spice characters and it finishes with just a touch of vanilla. A strong lemon flavor gives it an extraordinary refreshing characteristic which makes it the perfect summer beer.
- Kölscher Club : What's a Kölsch? A Kölsch is considered a hybrid beer - technically an ale because of its ale yeast, but it is fermented cooler like a lager and traditionally aged cold like a lager. The Kölsch is a medium-light bodied, bright (or translucent), pale straw colored ale with moderate bitterness and moderate hop flavor. It's neither bitter nor sweet, neither hoppy nor malty. The yeast provides subtle hints of fruit, while German Noble hops offer a touch of light citrus and earthy spice.
- Summer Shandi : This American Wheat is pale straw in color, with an unfiltered haze. Freshly cut grapefruit notes followed by an upfront citrusy bitterness and a light refreshing finish.
- Hell Diver Pale Ale : This medal winning pale ale is a rich pale-ambler ale, with a deep copper color. It has a pleasant ale-like fruitness with medium hop flavor and aroma. “Dive in!”
- Dragon's Milk Reserve With Coffee & Chocolate : Aged with coffee & chocolate. Rich, indulgent chocolate flavors are seductively punctuated with dark and roasty bitterness.
- Murray's Whale Ale : Murray's Whale Ale is a refreshing wheat beer with a twist. Its high percentage of malted and unmalted wheat and aromatic late hop profile gives a unique take on a session strength ale. A classic light body, creamy mouthfeel and refreshing citric flavour. This is balanced with assertive late hopping, giving a fresh, light tropical fruit aroma and cleansing dry finish.
- Black's Nocturne : We took everyone’s favorite Imperial Stout (sans coffee) and aged it for nearly a year in fresh Heaven Hill Bourbon barrels, which we then blended in an attempt to tame the bourbon beastliness. Creamy vanilla and smooth oak on the nose complement and round out the roasted, bitter chocolate characteristics. A kiss of bourbon booziness on the palate provides the perfect finish for this rich and decadent tribute to the dark months ahead. Be prepared…winter is coming.
- The Commoner - California Common : The Commoner is a California Common (AKA "Steam Beer") that is a dark amber in color with a medium bodied, malty character.
- Barrel Aged Provenance : Barrel-aged Provenance is a very small blend of Batch 1 Lemon & Lime and Batch 1 Orange & Grapefruit aged for about a year in the Mezcal barrels previously containing Encendia in 2013. It will be available on draught only. No bottles were packaged.
- BockBREAKER : A complex Bavarian brew with a rich bronze color and a persistent creamy head. A robust malt profile makes up this medium-bodied winter lager with toasty caramel sweetness, low hop presence and a moderately dry finish.
- Another Round: Wakatu : This experimental IPA has faint aromas that resemble star fruit and citrus. Filled with flavors of pear and orange peel, this beer has a firm but not overbearing bitterness. It is a crushable IPA by any standards. It's light golden in color with strong flavors and a light aroma that keep you wanting more.
- Strawberry Blonde Ale : This fruit beer is made by adding generous quantities of strawberries to a blonde ale base beer, providing harmonious fruit qualities, golden-strawberry blonde color, crisp/dry palate, light body, low hop characters & bitterness and light malt & fruit sweetness. 
- Begbie Cream Ale : Mt. Begbie Brewing's original signature beer, brewed first in 1996. Begbie Cream Ale is a fruity ale with a subtle honey flavour. A delicious, golden ale, delicately fruity, with a subtle honey flavour that finishes with a crisp hop edge.
- Rye Pale Ale : Pale ales are ubiquitous and are probably the single most important style of beer to have introduced the concept of 'craft'. Pales are a fairly quick beer to brew- many examples are ready in a couple of weeks- and appeal mainly in that they are quite often balanced beers without too many distractions and without too fine a point on it- they taste like beer! Our Pale Ale is loaded with Rye malt (about 20%) which adds some viscosity, richness, and a slightly spicy finish. We use a fair bit of caramel malt for color and our American hop charge has a slight bite and piney finish. All this said, I think our Pale shares a few finer points with its sister style - Amber. Our 'Pale' is pretty dark and has a pronounced richness from caramel malt.
- Grapefruit Gose : Grapefruit gose made with local pink grapefruit from Steadfast Farm, local salt from Hayden Flour Mill, and coriander.
- Stackpole Porter : A dark ale style dating back to the 1700's. Roasted malt lends chocolate and coffee-like flavors and aromas.
- Second Wind Oatmeal Stout : This black ale has the characteristic flavor of dark roasted barley, the sweetness of caramel malt, a full body contributed by oatmeal, and an intense but balanced hop flavor.
- Palmetto Amber : A complex malt character is balanced with just the right amount of hops, resulting in a clean full flavored beer.
- GoodbIPA: Four My Homie : The Yin to Dark Night’s Yang is a light, floral, and citrusy IPA that is brewed with 5 different varieties of hops and dry hopped with 2 varietals.
- Haviken : Strong. Dark. Belgian. This swarthy Dubbel is integrated with a distinctly porter-esque roasted quality & our Brettanomyces lambicus yeast strain for an unexpectedly cherry-tart finish.
- Truth Against The World : A 100% wheat Saison brewed with German light and dark malted wheat, caramel wheat, and a touch of chocolate wheat. This is a showcase for wheat malt and saison yeast flavors.
- Dunkelweizen : Traditional German dark wheat beer with pronounced chocolate flavors from the dark malts as well as banana and clove from the use of an authentic Bavarian yeast.
- 2017 Hibernal Dichotomous : 2017 Hibernal Dichotomous was brewed with Hill Country well water, Texas pale malt from Blacklands Malt, malted spelt, honey malt, hops, grapefruit zest, fresh rosemary, and dried red chilis. It was fermented in stainless steel with our mixed culture of brewers yeast and native yeast and bacteria. We packaged 2017 Hibernal Dichotomous on April 19, 2017. It’s unfiltered, unpasteurized, 5.8 percent alcohol by volume, 21 IBU, 3.7 pH, and has a finishing gravity of 1.001 (0.25 degrees Plato).
- Poor Clock Management : Floral and fruity Brett aroma with an earthy and malty flavor profile.
- Phoenix : Phoenix dactylifera is a the genus name for the date palm tree which has long been cultivated for its edible sweet fruit. Phoenix Vienna lager is brewed with German Pilsner, Vienna, Carapils malts, and locally grown Medjoul Dates which are added to the boil. Subtle German Noble hop bitterness provides balance and crisp flavor, with notes of toffee, dates and figs shining through into the finish. Phoenix is fermented with a Mexican Lager yeast and then lagered for an additional 60 days the result is a quaffable malt forward lager with an influence of Medjool Dates for a uniquely local Coachella Valley flavor. Pairs extremely well with spicy foods including bbq, and of course all Mexican food.
- Moat Hoffman Weiss : A traditional Bavarian-style wheat beer, it is a unique unfiltered golden beer with both a fruity and spicy flavor profile derived from the traditional Bavarian yeast strain that is used. It has a low hop bitterness yet is big on flavor.
- Sea Dog Old Gollywobbler Brown Ale : A traditional and true English mild session ale. A rich, malty profile is punctuated by hints of hop flavor and aroma. A complex, understated fruitiness makes the signature statement.
- St-Ambroise Oatmeal Stout : Brewed from 40 percent dark malts and roasted barley, this intensely black ale carries strong hints of espresso and chocolate. Oatmeal contributes body and a long-lasting mocha-colored head to this well-hopped beer.
- Rainbow Red Ale : Rainbow Red Ale: our flagship brew. A well-balanced, easy drinking American-style red ale with fruity esters, nutty malt flavors, and a soft, clean finish.
- Home : To commemorate or 1st Anniversary we decided to brew two delicious beers to celebrate! Home, a double red, is our non barrel aged version. Home pours dark crimson in color with aromas of caramel, stone fruit, and toffee. Enjoy Home by itself our next to its barrel aged counterpart, No Place Like Home.
- Chunky : Peanut butter is often best served straight from the jar. You could drink straight from the bottle, but we recommend you pour this dark elixir into a glass to fully indulge in its decadence. Layers of roasted peanuts meet waves of chocolate and graham cracker flavor, eliciting fond memories of years past. Deep within the darkness of this ale lies subtle fruit reminiscent of peanut butter and jelly sandwiches.
- Blow Up Your TV : An unrefined table Saison built from dynamics in grain bill featuring: Buckwheat, triticale, flaked oats, rye, vienna, wheat, and European Pilsen malts. This ale is not spiced, however, spicy notes are bolstered from the use of rye malt, Styrian Golding hops, Farmhouse yeast, and a wild Brettanomyces. A sharp and fruity flavor arises from the use of Lactobacillus to complete the delightfully refreshing and savoir-faire 'little beer'.
- BQE - Barrel Aged : The BQE is our Brooklyn Queens Espresso imperial stout. Cocoa nibs from the Brooklyn based Mast Brothers and Coffee from Queens based Native Coffee Roasters were added to the boil making for a super complex tasty brew.
- Oakbrook IPA : Our West Coast style IPA with a citrine hue, and a citrus finish. Very subtle grapefruit and floral notes.
- Spin Cycle #7 - Vic Secret/Mosaic : Tropical fruit notes, low clean bitterness, and a soft palate.
- Batch 1500 : Dark Saison with black currants.
- J Dub Fan Club : Passion fruit pale ale double dry-hopped with Mosaic, Amarillo, and Simcoe.
- Vlad Russian Imperial Stout : Brewed with 11 different malts and 6 different hop varieties, this huge Russian Imperial stout is as complex as they come. Big hop flavor and aroma that fades to clean malt with notes of chocolate, coffee, and roasty goodness. The massive amount of hops used in this beer help balance out all that malty sweetness.
- Deadlock - Boysenberries : Barrel fermented dark sour ale aged on boysenberries.
- Aviary : This Saison was fermented in wine barrels that previously aged Biere de Garde (b2). Despite being fermented to dryness there are lots of sweet and fruity flavors like tea with honey added, berry candies, and homemade jam.
- Yellow Beer : Born in the backyards of Zionsville Indiana this beer, otherwise known as Bart's Bad Ass Beer, is a powerful IPA that has an ABV of 7.00% with 86 IBUs. However it is still a perfectly balanced beer with its malty middle. You will notice the aroma of citra hops that may remind you of grapefruit at grandma's house.
- Three Socks IPA : A malt bomb IPA with big caramel notes offset by a strong fruit and pine given off from the Columbus, Chinook, Centinnial, and Cascade hops. The only question... Why the third sock?
- Forbidden Fruit : A light, refreshing fruit beer fremented with over 500 pounds of real raspberries! At 6.2% ABV it is in the early reaches of the strong biére category! This ruby red, sour mashed and oak aged weiss beer is for everyone. Maybe some oak, cherry and vanilla come through? Try mixing it with our currently offered stout, on tap. It is real, it is right and it works. The freshest framboise on tap in town, no question.
- Ramstein Winter Wheat : Rich creamy head with bouquet of Wheat malt, black current, clove, and apple. Deep full flavors of caramel and chocolate malt balance with hops for a smooth warming character. Smooth malt leads to a subtle alcohol and dark caramel finish. The wonderful balance of this beer provides a complex profile hiding the 9.5% alcohol content. The perfect companion for a cold winter night.
- Cerveza Pacifico Clara : Cerveza Pacífico Clara, better known as Pacífico, is a Mexican pilsner-style beer. It was first brewed in 1900 when three Germans opened a brewery, the Cerveceria del Pacífico in Mazatlán. Cerveza Pacifico is named so because the Pacifico brewery is located in the Pacific Ocean port city of Mazatlán, in the state of Sinaloa, México. Its label includes a picture depicting a lifesaver encompassing a hill with the port's lighthouse, known locally as "Cerro del Crestón." In Mazatlán, the beer is available in three different size bottles: "cuartitos" (6 fl. oz), "medias" (12 fl. oz.), and "ballenas" (32 fl. oz.). "Clara" means clear, as opposed to "obscura" (dark).
- Storyteller Doppelbock : Storyteller Doppelbock is brewed with the same attention to detail, consistency and love of tradition that weaves through generations that the revered storytellers of German culture nurtured. We use a blend of North American and European malts, delicately hopped with an imported variety. It is cold conditioned for a full ten weeks for flavor that is rich in complexity yet smooth and clean. Like a good tale told before the warm hearth as the sun burns down the day, the nutty and toasted flavors of this brew eases the transition from hectic day to satisfied night. At 6% alcohol by weight, it’s a surprisingly smooth lager and goes down easily.
- Chocolate Oatmeal Stout : A dark, deliciously roasty brew with hints of chocolate in flavor and aroma. Velvety smooth with a dry, roasted finish. Once a seasonal brew, it's now available all year for our loyal Stout customers!
- Sumpin’ Easy : A healthy dose of 2-row malted barley, a bit of wheaty-esque-ish-ness and loads of Ekuanot hops to create a super smooth and velvety ale with a fruit and resin-y- finish like biting into a freshly pickled peach. Easy!
- Daylight Savings IPA : This refreshing session IPA starts with a base Pilsner and Vienna Malt and then showcases the multiple additions of Warrior, Azacca and Citra hops, yielding tropical aromatics with hints of mango and grapefruit. Low in alcohol, BIG in flavor.
- Royal Charter Pale Ale : Charter Oak's Royal Charter Pale Ale beer (named after the Connecticut charter hidden in the Charter Oak Tree) is the little brother to our IPA, but still brewed with plenty of flavor and hops. This top fermented ale is solidly an American Pale Ale style; not too sweet and not too bitter, but complex enough to not disappoint you. From your first sip and scent of a citrus and floral aroma, a solid backbone of the Cascade hop can be detected. We hope you will enjoy this well-balanced, medium-bodied, and deep golden appearance in our Pale Ale. We can assure you it is not intensely hopped up, but only a subtle bitterness and dry finish. This is a beer you can drink all night long!
- Never Never Stop Stop : Double fruited gose featuring a 2x dose of boysenberries.
- Archie's 1st Day IPA : Grapefruit up front, w/ plenty of mid pallet citrus. Very dank aroma from 7 varieties of hops. Sure to become a local legend just like Archie.
- Barrel Aged Qualified : Unlock THE VAULT, our barrel series committed to the careful, prolonged conditioning and blending of barrel-aged ales. For those qualified, try our Qualified quadrupel aged in select bourbon barrels. This dark ale features Belgian specialty malts with rich, deep notes of dark fruit, enhanced by dynamic Belgian esters and finished with robust notes of oak and caramel. Good things come to those who wait; enjoy immediately or store under lock and key.
- Warmer Winter Winter Warmer : A old ale with american hop varietals that has a complex citrus and caramelized toffee aroma and underlying notes of chocolate.
- Klasterni Special Sv. Jilji No.1 : Monastic beer of St. Giles N.1. Semi-dark Bock, the first of a series of monastic beer specials, prepared by four kinds of malt and aromatic hops. Beer is suitable for experienced and durable beer lovers.
- Goram : Named after Bristol’s very own giant who was partial to a well-crafted ale, this Avon IPA uses a blend of American and Worcester hops to achieve the perfect balance between stone fruit, citrus and spicy hop aromas with bitter notes. A strong, full-flavoured beer with the ABV of a classic session ale, Goram towers above other lesser IPAs.
- Hot-Jala-Heim : This style of beer is classified in the "Fruit/Vegetable" category as a "Chili beer". The focus is obviously on the chili peppers used during the brewing process. Our version uses a mix of hot peppers, including jalapenos and anaheims (hence the name...Hot-Jala-Heim). It has a delightful 'peppery' aroma as well as taste with a 'mild' sensation of heat experienced after swallowing.
- Turtle Power Grapefruit Pale Ale : Our hop forward grapefruit pale ale is brewed and dry hopped with Citra hops. Tropical and citrus notes abound from the hops along with some tart and juicy grapefruit flavors.
- X Factor #1 : X-Factor #1 is the first of a new line of experimental-hop IPAs. Brewed in the West-Coast style, this beer is driven entirely with a new experimental variety: HBC430. Aromas and flavors of pine, stone fruit, and white wine make this IPA very unique. Enjoy now - this hop variety may only be around once... 
- Roasted And Confused : An English Porter with chocolate and nutty characteristics to balance the mild roastiness.
- Satin Solitude : A liplickingly creamy stout prized for its drinkability, Satin Solitude is crafted with a mix of specialty malts, from caramel to chocolate to roasted barley, to achieve its deep dark appearance and satin-smooth finish. Best enjoyed by a crackling fire on a long winter's night.
- Fuel Cafe (Coffee Flavored Stout) : This unique stout combines the flavor of roasted malts and Milwaukee's renowned Fuel Cafe coffee. Pours a deep, dark color with a beautiful creamy tan head. 
- Schlafly Alt Bier : Dark amber in color and medium-bodied with a hoppy finish.
- Northwind : Dark delights like this were once shipped to the imperial court of Russia. With a firm, roasty maltiness balanced against a generous helping of hops, Northwind can stand up to the worst its namesake can dish out! Enjoy it by a roaring fire.
- Port Service Porter : This robust porter has a warm place in our heart for its dark roasted malt character & rich essence of chocolate & coffee. The flaked oats provide a smooth mouthfeel which is complimented by a complex yet pleasant addition of smoked malts. It’s fermented with a Scottish Ale yeast for a surprisingly unique finish. Kickback & pour up some Port Service Porter!
- Fated Farmer: Red Currant : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: Build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel fermented in 500L puncheons with our Native New England Wild Culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- Off To The Witch : …and we may never, never come home. We got a little psychedelic with this one mixing a Belgian Wit and an IPA. What you get are notes of citrus and fruit with a mild hop finish.
- Winter Works Holiday Ale 2012 : Strong, dark I.P.A. with roasted malt and a blend of Northwest hops.
- Trafalgar India Ink Black Pale Ale : This unusual ale combines the hoppy character of an India Pale Ale with the richness of a dark, malty beer. Five different hops and premium imported dark malts went into the recipe for this innovative beer from Trafalgar.
- Brettania - Boysenberry & Blackberry : A rustic saison aged for six months in oak puncheons with our house mixed brettanomyces culture. The beer was then aged on top of a large amount of fruit for another six months, and then refermented in the bottle.
- A Moment In Time 2018 : A tart malty ale with distinctive red fruit and red wine flavors. Fermented in a California Cabernet Barrel with native Tennessee yeast and Brett Lambicus. This beer will evolve as time passes and elicit unique flavors at every distinct Moment in Time
- Rainbow Sock Monkey : A close cousin of our Pink Sock Monkey, this is an American Wheat Ale brewed with Pear and Raspberry juice! Loads of fruit. It's fruity. Like pink and fruity. It's pink.
- Awkward Uncle : This Belgian Dark Strong Ale is big and boozy, just like the best and worst family gatherings. The rich malty sweetness of this festive ale is balanced by plentiful amounts of cherries, ginger and cinnamon. This beer contains a lot of good cheer. Enjoy responsibly.
- I Dunkeled In My Pants : "I Dunkeled In My Pants" is a traditional Bavarian dark lager and is the newest release from the FigMtnBrew crew. It is deep ruby red in color and is malt forward. The dunkel has flavors of caramel and subtle roast with a smooth finish. The aroma comes off as cola and is great with spicy food or standing alone. 
- Hello My Name Is Zé : Hello My Name is Ze is the latest in our fruit infused international IPA series; this is a passionfruit infused IPA brewed for Brazil! You can expect Punk multiplied by Jack Hammer, divided by passionfruit with some Brazilian spirit factored in too. A collaboration with the amazing 2Cabecas brewers from Brazil, this beer will be available on draft.
- Lambiek Special : Oak wooden barrels of 100+ yrs old are used to mature the young lambic together with 3 different whole fruits: yellow gooseberry, blackberry and sour cherry.
- Royalty : Indulge in Royalty, a luxicurious Belgian-inspired sparkling golden ale, fermented with champagne yeast. Boutique European hops and champagne esters present refreshing aromas of grape must and tropical fruits, released by playful bubbles from bottle conditioning.
- Yeah Peaches : A Peekskill Brewery foray into the world of soft fuzzy peaches brewed with a blend of our flagship ale and Belgian ale yeasts. Pale, hazy, golden and fruity with a lemon finish.
- Enclosed Entity : Enclosed Entity is a bright and fluffy Saison. Fermented with a blend of our Magickal Saison yeast and our Emptiness culture. As primary fermentation slowed, we tossed in heaps of pungent papaya purée. The resulting beer is incredibly vibrant and dripping with ripe white peach, tart pink grapefruit, and just real nice classic peppery Saison notes. Brewed at our precious BrewCafé in April 2017. Bottled in May 2017.
- Andechser Doppelbock Dunkel : This world famous bock from Bavaria’s Holy Mountain is not meant to be rushed, but savoured slowly. As solid as a rock, Andechser Doppelbock Dunkel presides over the evening meal with a colour reminiscent of dark copper with nuances of fiery red. Its clear gleaming look harmonises with its firm, fine pored head.
- Hop Project No. 002 : For iteration No. 002 in our ongoing liquid experimentation project, we combined copious additions of Centennial, Simcoe, and Denali hops to create this fragrant IPA bursting with tropical fruit aromas.
- Hold On to Sunshine (Chocolate Truffle) : For this rendition of Hold On To Sunshine, we added a small amount of cocoa dusted truffles to amplify the cocoa fudge characteristics of the base beer. It has all the delicious flavors you are accustomed to - rich milk chocolate, dark brown sugar, creamy espresso, and chocolate covered peanut butter cups - with an extra layer of chocolate complexity. It is never overtly saccharin, with a firm coffee acidity balancing things out, making it enjoyable to drink as it warms. A fun experiment and one we are pleased to share with you as we welcome September!
- Queen City Dunkel : Our Dunkel ("dark"), crafted in the traditional Bavarian manner, is a deep mahogany hued lager. Soft and elegant, with a rich, nutty palate and a malty, rounded finish, this beer is medium bodied, with a firm, creamy, long-lasting head. Made from a blend of five high-quality German malts and delicate noble hops, Queen City Dunkel is distinctive yet eminently drinkable. (ABV 5.2% IBU 30) - Munich Dunkel
- Oblivion - Bourbon Barrel-Aged : This version of Oblivion is fermented with double the amount of blackberries and dates typically found in our flagship sour red ale. Aged in flavorful Kentucky bourbon barrels, this beer is then artfully blended to intensify the fruit character and complement the higher ABV.
- Burden Of Pungitude : Burden of Pungitude is a mashup of our beers Punge and Burden of Gratitude. A heavily pungent double IPA brewed with oat malt and hopped in the kettle with Citra, Simcoe and Chinook. Dry hopped with Citra and our favorite southern hemisphere varietals: Galaxy, Motueka, and an enormous dose of Nelson Sauvin for that PUNGE IS PUNGE IS PUNGE kick. Notes of overripe pineapple, funky jackfruit, juicy kalamansi and sticky dankness
- Planet Lovetron : Hitch a free ride onboard the Mothership Connection to Planet Lovetron. Ease your mind and soul with bright citrus and stonefruit flavors of Amarillo, Mosaic and Citra hops, floating on a pillowy bed of malted goodness. You might love these hops, but they love you back even more. Soak in the positive vibes and exercise your posifunkentronic membranes while digging your place in the universe, tasty beer in hand.
- IPA Series - Cascade Wet Hop : The first brew in our ongoing IPA series is wet hopped with Cascade. The freshly harvested hops went directly from vine to kettle, so the beer is bursting with aromas and flavors. Upfront, there are bright and juicy notes of grapefruit, passion fruit and guava, which leaves a cool lingering hop essence in your mouth.
- Broken Wand - Boysenberries : Foeder aged dark sour with Boysenberries
- Cosmic Banana : Golden haze color with a rich aroma of banana and tropical fruit, medium rich body and a dry finish.
- Pot And Kettle Bourbon Barrel Aged : Our signature porter, brewed with oats, has a soft, velvety mouthfeel with layers of chocolate and roasted malt on the palate. The ominously black appearance belies this porter's approachability; Pot & Kettle is satisfyingly smooth and nourishing, but never lumbering or heavy. While not sweet, dark fruit notes, such as cherries, dates, and raisins, reveal themselves as the beer warms. This special batch spent 6 months resting in Buffalo Trace barrels lending additional notes of vanilla, oak, & bourbon. 
- Bug Zapper Super Lager : Darker, heavier, and more potent than Bug Lager, this long-conditioned lager goes down like nectar. You won't even notice the bugs biting you
- Citra Haze : Teaming up with Goodguys Rod & Custom Association we came up with an easy drinking, light, hop forward session ale for the 29th West Coast Nationals. 100% Golden Promise malt gives the beer a solid malt base and a golden color, while the 100% Citra hops gives the beer a soft bitterness with a balanced hop flavor and aroma. Notes of citrus and tropical fruit make this beer perfect for those hot days at the show.
- Scratch Beer 155 - 2014 (Belgian Style Brown Ale) : Brewed with an Abbey ale yeast strain as well as Belgian Candi and Demerara sugars, this sweet, robust ale with a Belgian flair boasts traces of dark stone fruit, bubblegum, toffee, chocolate, and subtle spices. 6.8% ABV and 13 IBU. Draft and growler fills only.
- Galaxy God Buzz : We generously double dry hopped this one with Australian Galaxy. This hazy brew has a pretty aroma of passionfruit with tropical notes, combined with a smooth bitterness.
- Jackass Penguin : Due to recent environmental disturbances the Jackass Penguin, native to South Africa, is now an endangered species. Confined to the southern waters of Africa the Jackass Penguin is considered a reflection of the overall vitality of the ocean. Jackass Penguin is an India Pale Ale with a beautiful balance of local malts and exotic hops. A deep, golden-straw color and medium-bodied IPA with a consistent bitterness and subtle complexity. Brewed with 100% local Skagit Valley Malt, including the UK origin barley, ‘Pilot’, which adds some ‘across the pond’ characteristics. The use of the very limited South African experimental hops from ZA Hops and Calypso hops create pungent melon, mild stonefruit, crisp pear and soft floral undertones. With the purchase of the entire crop of South African hops by a global beer monopoly it’s not likely you’ll be able to ‘enjoy’ these varieties in craft beers for much longer.
- Bearded Pat's Barleywine : Great American Beer Festival Medal Winner! American style barleywine: so named because of its high, wine-like alcohol content, and the usage of American hops. Deep amber in color and full bodied, with a blend of fruitiness, maltiness and hop bitterness to balance.
- El Dorado (Single Hop Series) : El Dorado is a dual-purpose American hop varietal. El Dorado is a high alpha acid hop, which provides plenty of bitterness while its flavor and aroma profile consists of tropical fruit characteristics. Pear, watermelon candy, and stone fruit have also been noted. HBC Lead Brewer Greg Filippi has this to say about El Dorado.
- Gürlimann : Traditional Berliner Weisse characterized by complex malted wheat and moderately tart fruit notes. Optional side ('schuss') of syrup made with wild Parker Mountain Trails (Littleton) blackberries hand-picked by Schilling staff.
- Dunkel : Dunkel” means dark, and our Dunkel copies the traditional brown Munich lager that was the most widely drunk beer in Bavaria at the turn of the 20th Century. Dunkel is made from amber colored Munich malt. Germans approach dark beer from a different direction than their Belgian and British neighbors. Instead of using a small amount of high-color, dark-roasted or caramelized malt, Germans use a lot of low or medium color malt that avoids the acrid bitter roastiness or burnt sugar flavors found in stouts and porters. Dunkel is a medium -bodied beer with a slightly sweet, toasted bread crust malt flavor and smooth finish accentuated with just enough noble bitterness to balance the malt.
- Are We Okay? : Are We Okay? is our existential crisis triple oated, triple lactosed, triple fruited, and triple dry hopped Triple IPA. Literally brewed with triple the amount of all the aforementioned ingredients. Triple dry hopped with Mosaic, Citra, and Vic Secret. Triple fruited with pungent and expressive passionfruit purée. Explosive notes of lychee, lime and coconut.
- Torpid IPA : orpid is an American IPA, medium-bodied and full of citrusy hop flavors and aromas. The bready malt backbone, seen as a light orange hue, balances out the loads of Northwest grown hops. Flavors of grapefruit, pineapple and orange are provided by the hops and add a floral and citrus aroma as well. Sit back and relax, let those worries go, and be carefree while you enjoy the Torpid IPA.
- Coconut Porter : Deep, dark and cocolishous flavors abound. With medium body, low bitterness and velvet mouth feel, this black beauty is sure to please. Maris Otter was combined with chocolate malt, black malt, crystal malt and a tree load of toasted coconut. 
- Grapefruit Tartelette Gose : Inspired by a grapefruit tart that Whitney used to bake, featuring subtle flavors cardamom, vanilla, honey and a touch of salt.
- Buddha’s Hand Pale : Brewed in collaboration with homebrewer Tyler Smith for the 2012 Great American Beer Festival Pro-Am competition, Buddha's Hand Pale is a American-style pale ale brewed with Citra, Simcoe, and Amarillo hops, and Buddha's Hand citrus fruit for an extra citrusy punch.
- Stellar IPA : Stellar IPA is brewed with German Pilsner base malts, along with Crystal malt from Patagonia to give it a striking apricot color. This beer has 5 different hop additions to give it a big, bold prominent nose with tropical fruit and floral aromas. The powerful aroma tricks the taste buds into thinking this beer is not very bitter.
- Brooks Brown Ale : Like the historic hotel just across the street, this Belgian-style nut brown will keep you out of the cold on a snowy night or cool and relaxed on a summer scorcher. A deep nutty and roasted malt flavor follow the toasted sesame aroma in this malty, yet light, session ale. Perfect for alpine-style cheeses, as well as dessert featuring chocolate or caramel.
- My Name Is Citrus Maximus : Staying true to the name, we double dosed this IPA with Citra hops by adding them in the boil and again during the dry hop, where we combined them with Mosaic hops for their complex fruity aroma. We also used huge amounts of passion fruit and white grapefruit to create this super citrusy and refreshing IPA. 
- Aiken Strong Scotch Ale : Also known as a “Wee Heavy”, this richly malty, dark ruby brown ale originated in Scotland where hops for bittering were not native and used only sparingly. This higher alcohol beer is characteristically lightly hopped resulting in a caramel sweetness with a roasted malt almost smoky aroma.
- Willimantic Downtown Willi IDA : An unfiltered Dark ale hopped up with Magnum and Perle complementing the six malt flavors.
- Con Leche Horchata Style Milk Stout : A Horchata style Milk Stout, brewed with coffee, vanilla and cinnamon. It pours dark black with a thick mocha head and strong aromatics of espresso and spice.
- Microburst Belgian White : Another young beer, Microburst has a cloudy appearance that is created by its traditional Belgian yeast still in suspension. Smooth, creamy, and light on the palate, the Microburst Belgian White uses coarse-ground pepper and coriander along with the freshly grated zest from four different citrus fruits to create a refreshing and easy drinking experience.
- Gorgantuan : Imperial IPA. Medium-full body, smooth mouthfeel and notes of tropical fruit, candy sugar and pine.
- Golden Ticket : Strong Pale Ale with Dark Horse Coffee, vanilla beans, and oak.
- Best Bitter : This full-flavoured pale ale provides a complex taste experience beginning with notes of nuts and toffee and ending in lingering hop bitterness.
- Portsmouth Hop Harvest #2 : Hop Harvest 2 is an ESB with a beautiful balance between malt and fresh wet hops. It is brewed with Pacific Northwest Citra hops from B.T. Loftus Ranches in Yakima, WA. 60 pounds of fresh wet hops went into this 7 BBL batch both late in the boil, as well in the hopback. HH2 is a hop head's wet dream - it's resinous with grapefruit aromatics and tons of fresh wet hop flavor.
- Ehu Ale : British caramel and roasted malts gives this smooth drinking brew its deep ehu or reddish amber color and nutty, toffee-like finish. Ehu Ale offers a fuller flavor and is a very approachable and refreshing beer that bridges lighter and darker styles.
- Western Culture : Western Culture is our lambic inspired beer. We run this beer thru our coolship to capture wild yeast. The beer is then either racked into barrels to age, or is added to fresh wort to increase our batch size. We then age things for 18 months or longer. Funky and sour and super complex.
- Changeling : Changeling is an enchanting blend of dark sour ales aged in whiskey and wine barrels that were inoculated with Brettanomyces and Lactobacillus. It pours a deep ruby color with touches of gold at the edges of the glass. Leading with plum and toasty malt, the flavor transmutes into a soft tartness, with notes of earthy, funky Brett and a touch of lingering caramel to create a delicate balance.
- Evangelist : A big, complex beer named in honor of this ale's creator, Tony Evangelista (Liz's Dad). An avid Belgian beer drinker/brewer, this is truly his masterpiece beer after a lifetime of exceptional brewing. 
- Christmas Ale 2016 : Abita Christmas Ale (November - December) rounds out our calendar. Each year at the Abita Brewery we craft a special dark ale for the holiday season. The recipe changes each year so that Abita Christmas Ale is always the perfect gift. Its spicy character is excellent with traditional holiday foods such as gingerbread or spiced nuts. Try some blue cheese or a creamy Camembert with a Christmas Ale.
- Kuhnhenn Dunkel Weiss : This dark brown German lager is dominated by Munich malt, with a bready and malty nose. With mild caramel and chocolate notes this beer is robust while being drinkable like a lager. It leaves the palate malty with a medium-dry finish.
- Propeller Honey Wheat : Our Honey Wheat Ale is brewed with a blend of barley and wheat malts, with just a hint of Nova Scotia honey. The honey used is high quality fruit blossom and wildflower honey made in the Annapolis Valley. This honey is gently blended into the kettle late in the boiling process.
- Flagship IPA : Our Flagship India Pale Ale is bigger and bolder than ever. This full-bodied, copper-colored ale is exceptionally refreshing with huge hop character and a malt base that gives it great complexity. A great beer for hopheads.
- Dundee Export Scotch Ale : Our Dundee Scotch Ale begins with a traditional sweetness and finishes with a full, malty flavor. Don’t be fooled by the dark color—this beer is delicious and surprisingly easy to drink.
- Aviator Dobbelbock : This bold and big bodied double strong bock is dark and malty with good hop character from German Tettnang and Hallertau varieties. A meal in a glass!
- Willimantic V.E.G. IPA : Unfiltered India Pale Ale with a Very Extreme Grapefruit character from Columbus hops this beer is rated in I.G.U.'s International Grapefruit Units.
- Boxcar Brown : An English Brown Ale brewed with malted barley and imported hops to transport you to a flavorful destination of chocolate, biscuit and nutty tones.
- Hop Essence Series: Mosaic : Mosaic (also known as HBC 369 and "Daughter of Simcoe") is the latest hop variety from Select Botanicals and Hop Breeding Company in Washington. The wide range of fruity and floral characteristics have made this hop very popular since its release in 2012. Many describe Mosaic as having a distinct blueberry flavor in addition to mango, apricot, and pineapple. The beer was brewed as a double india pale lager. The lager yeast creates a delicate mouthfeel to help accentuate the flavors of Mosaic.
- Highland IPA : Lager than life Highland IPA with a massive American influence. Powerful Amarillo bitterness exploding with late citrus flavours from Centennial hops and grapefruit from the Perle.
- Dope Nose : NE IPA brewed with tons of Oats and DDH at well over 4lbs per Bbl of Galaxy, Vic Secret and Ella. Huge tropical fruit notes are accompanied by a thick mouthfeel and creamy finish.
- 2010 Coming Home Holiday Ale : This Belgian-style Quadrupel ale is full-bodied and robust, boldly showcasing flavors of sweet dried fruits delivered on a smooth, velvety palate. Specialty malts and roasted barley give this beer a sweet malty aroma that complements its complex fruitiness. Brewed in the Belgian tradition with dark candi sugar and a Trappist ale yeast, Coming Home Holiday Ale is rich and flavorful, meant to be shared and savored among friends.
- Narragansett Bock : Brewed with Light and Dark Munich malts, Pilsner Malt, and Malted Wheat. It is hopped with Northern Brewers and Hallertau hops. Northern Brewers is a clean bittering hop and Hallertau is a classic German aroma hop associated with Bavarian style lager beers.
- Mélange No. 1 : Mélange #1 was the first in our line of barrel aged beer blends and continues to be one of our favorites. A curious blend of our bourbon barrel aged stout, Black Tuesday, along with our Flemish-style sour red ale, Oude Tart, this beer is unique and delightful. Forging flavors of toasty oak, vanilla and toffee along with notes of leather and dark fruit, both the full bodied essence of the bourbon barrel aged ale and the sour quality of our wild ale are present in this well rounded beer.
- Ali Weiss : Ali Weiss is a wheaty beer, quite refreshing and pleasantly fruity.
- Double Monogamy - Azacca : An Imperial version of our extensive Monogamy single hop series, this double IPA is hopped heavily and exclusively with the Azacca hop, a brand new fruity American hop variety.
- Bob's '47 Oktoberfest : Our fall seasonal beer, Bob’s ’47 Oktoberfest is a medium-bodied, dark amber brew with a malty flavor and well-balanced hop character. With this Munich-style lager we salute our friend Bob Werkowitch, Master Brewer and graduate of the U.S. Brewer’s Academy, 1947.
- Brewer's Reserve Chocolate Porter : We start with a brown porter brewed with dark roasted malts, and add one pound of chocolate per barrel. We then throw in some Madagascar Vanilla beans to accentuate the chocolate flavors, resulting in a decadent porter.
- Highway 128 Session Series: Blood Orange Gose : Our Blood Orange Gose is a tart, refreshing wheat ale that is kettle-soured with lactobacillus and brewed with sea salt and coriander. However, unlike traditional versions of the style, ours features liberal additions of blood oranges during fermentation. This imparts tangy citrus notes that complement the champagne-like flavors, creating a complex and sessionable ale perfect for any occasion.
- Special Violet : A wild red ale, spontaneously inoculated in our coolship before fermentation and extended aging in oak. At maturity, this was transferred to secondary oak tank for refermentation with a variety of whole, locally grown Blackberries. It shows a vibrant maroon color and pink head with an amber tint, with characterful fruit notes leading into a Brett dominated, wood aged red finish.
- Daft : Our on-going expedition mostly dedicated to those ever questing ‘rye, whiskey, bourbon, etc. barrel-aged beer zealots’. This particular ‘aged-one’ is a barley-wine ale that rested for a few months in a rye whiskey barrel, imparting it with some not so subtle notes of spicy rye, oak and sweet caramel. As you enjoy this complex and potent beer, please heed those words of advice – “Imbibe with care, lest you be a Daft fool!”
- Equipoise : We’re very excited to introduce Equipoise, a farmhouse ale brewed with ginger salt and tarragon, and refermented with cantaloupe, made in collaboration with Chef Paul Qui. We’ve been great fans of Chef Qui’s cuisine for several years now, having first enjoyed his work at Uchiko and East Side King, and later at his eponymous Austin restaurant Qui. We’re also great fans of food and beer pairings. The right pairing can enhance both the complexity of a beer’s flavor profile and that of the dish with which it’s served. In working with Chef Qui, we sought to create a beer that would complement, and hopefully enhance, his culinary perspective.
- Free Candy : This Belgian inspired "Quadrupel" is loaded with notes of banana, clove and candied dried dark fruits. (North Moorhead style Quadrupel)
- Guillemot Nebula : Barrel fermented Dark Saison
- Solstice Saison : Belgian yeast and a blend of hops for a balanced fruity, spicy and refreshing beer. ​
- Brass Knuckle : A hard-rocking Pale Ale that smacks the lips with tasty bitter hops and citrusy grapefruit shots to the nose. It finishes crisp and dry, sustaining like a windmill power chord. All of a sudden it hits you...this is the one.
- City Steam Dark Ale : Our original brew! A smooth and easy drinking example of a northern English type of draft MILD BROWN ALE. It is brewed with a large portion of chocolate malts and a delicate touch of Fuggles hops. Although dark in color, it is sweet and balanced and will disappear from your glass quicker than a wisp of steam in the wind.
- Femme Fatale Yuzu Pale : To take up the challenge and make a 100% true Brett IPA with Yuzu fruit can very easily become a fatal attraction for the Brewmaster. Once you get acquainted with the Yuzu fruits irresistible and seductive personality, along with Bretts overpowering, alluring and very charming nature, it will ensnare you and drive you mad obsessing over how exactly you can create the perfect desirable tangy, funky, crisp, tart flavor in ya mouth.
- Love Child No. 2 : Boulevard's Love Child Series of "wild" ales are barrel-aged with such boisterous cultures as Lactobaccillus and Brettanomyces. These wayward offspring can prove so complex that we employ gauges on the label to convey the intensity of three key personality traits, Funk, Sour, and Fruit, presenting a picture of the ale at the time it was released. It will change as it ages, but don't we all? 
- Double Black IPA : 200+ IBU. Brewed with 7 malts, 5 hops and dark candy sugar. Dry hopped with Cascade, Columbus and Centennial.
- Double Standard IIPA : We have standards and double standards...Citra and Simcoe hops shine. Tropical Fruit on the nose and a medium body with plenty for the hops lovers.
- Deep Sea Series: Electric Catfish - Milkshake : Deep Sea Series - Electric Catfish -Milkshake features Citra and Motueka hops and has popping notes of zesty lime, melon, orange and was conditioned on passionfruit, lactose and vanilla.
- Winter Ale : Layers of malt gradually unfold to reveal hints of toffee, maple, ripe plum, cereal and brown bread. Warm and deceptively complex.
- Thirst Blood : This is our ever popular Halloween beer. Devilishly dark, mysteriously malty bitter made with scarily spicy hops. This dark ale has many fans and is always well received each October.
- Black Forest Summer Wheat : Our summer wheat shows the diversity of what a wheat beer can be. When compared to our Hefe-Weizen it is much cleaner in flavor as the flavor components famous in our Hefe, such as clove and banana, are a result of the yeast used. For the summer wheat a German ale yeast is used and over 60 pounds of fresh Asian pears were added directly to the fermenter. The pear results in a bit drier finish and a slight fruitiness in the finish. This is an easy drinking beer perfect for 90 degree day with equal humidity.
- Worker's Comp Saison : A traditional farmhouse ale made with a very expressive yeast strain that contributes an array of tropical fruit, spice flavors and aromatics. Brewed with a variety of harvest grains including barley, wheat, oats and rye as was likely the case with farmhouse brewers of yore. The result is a complex, refreshing and distinctive example of this esoteric style. Intensely fruity (passion fruit, pineapple, mango, lychee), slightly spicy (clove, white pepper).
- The Inebriator : The Inebriator Doppelbock is a special collaboration between the almighty Municipal Waste and Wake Brewing - Rich malty goodness with hints of breadcrust, walnuts, dark fruit, and vinous cherry skin. The finish is clean and crisp highly drinkable at 7% abv.
- Godless Killing Machine : This big, bold stout proudly features loads of caramel and roasted malts. With a balance of dark fruits, rich chocolate, and roasty coffee, be careful, this one is a sipper.
- Pig Iron Porter : A classic porter, dark and full of roasted malt flavor. Chocolate notes are well balanced by a slight bitterness.
- Three Philosophers : Three Philosophers is a unique blend of a Belgian-style dark ale and Liefmans Kriek, an authentic cherry ale from Belgium. Cherry chestnut in color, it's opaque but not cloudy with full carbonation topped by a smooth, tan head. Flavors and aromas of roasted malt, molasses and brown sugar, dark fruits, brandied raisins and chocolate, Three Philosophers has notable sweetness with low hop bitterness. The mid-palate shows a soft malt center which gives way to a dry, warm, wine-like finish.
- Noble Empire : In our 20th year, we had the good fortune to grow, expand, and relocate to our new home on what was originally named Empire Street. The city soon recognized us by renaming that street to AleSmith Court, a rare honor. Now at our larger facility, we continue to explore our passion for complex beers and expand our barrel-aging program. We have thus created Noble Empire, a brawny, complex, imperial version of a traditional English-style porter as a tribute to craftsmanship of the highest quality. Rich with chocolaty flavors derived from a variety of specialty malts, this beer has patiently found the delicate balance between sweet notes of vanilla and toast from the bourbon barrels. Enjoy this tribute to the former Empire Street and its noble evolution for the sake of craft beer. Cheers!
- Arbre Light Toast : The Arbre series is an exploration of barrel toast. We brewed a rich, malty imperial stout and divided it into three parts, laying each down in brand new American oak barrels from our friends at Kelvin Cooperage in Kentucky. This variation of Arbre spent time resting in lightly toasted barrels and reveals notes of oak as well as raisins and just a hint of smoke. A remarkable beer on its own, but even more exciting when tasted side-by-side with its medium toast and dark char counterparts for a truly educational experience.
- Altbier : A German style amber ale, exceptionally smooth and difficult to put down, this American version is a touch stronger than the Dusseldorf forerunner. Alt, literally translated, is German for old, reflecting how far back this top-fermenting style goes, dating back some 200 years ago when the Rhineland brewers stuck to the “old” dark ale while Bavarian counterparts moved toward the “new” pale lagers. The Yellowhammer version draws its aroma from a blend of Vienna, Munich and pilsner malts, while creating a slight, but notable hop character with German spalt and American crystal hops.
- Surf Breaker : Full-bodied West Coast style IPA. A huge hop character with notes of mango, pineapple and passion fruit.
- Swirl Stout : Swirl Stout is a Milk Stout brewed with cacao nibs, vanilla, and milk sugar. The aromas are bold and sharp, reminiscent of a decadent chocolate liqueur or Kahlua. A satisfying blend of sweet creaminess and dark chocolate create the perfect balance. Roasted bitter flavors are noticeable, but its a lingering sweetness that ultimately drys the palate.
- Wild Blue : Wild Blue is a blueberry lager that fuses the juice of nature’s perfect fruit – blueberries – with premium American and German hops, two row and six-row barley malt and cereal grains. Wild Blue has a full taste with a pleasant blueberry aroma and flavor, and contains 8% ABV.
- Lovely Medusa : Lovely Medusa is a DIPA made with clean American ale yeast, Medusa, Simcoe and Amarillo hops and a fairly pale malt bill. After Ken, our sales guys, made a test batch with Medusa Pat wanted to see what the hop would do with some more traditional intense IPA hops in a DIPA format. Look for notes of stone fruit and white grape, and a juicy finish.
- Nisse : During the brewing of this ale, very small amounts of ginger, cinnamon, oranges and cloves are added (those are traditional Swedish Christmas spices). The other ingredients are: Pilsener, dark caramel and chocolate malt, the hops are East Kent Golding and Hersbrucker.Yeast: Worthington Whiteshield.
- True North India Pale Ale : An ultra-premium all-malt classic English-style India Pale Ale at 6.5% alc./vol. Enticing deep gold colour. Nutty malt aromatic nuances with spicy, grassy and fruity hop aromas achieved by dry hopping. Spicy, grassy and fruity hop flavours are combined with an assertive bitterness and mellow smooth malt flavour. Typical yeast-derived ale fruitiness and warming alcohol make this India Pale Ale a true-to-style classic. Enjoy with mulligatawny soup, roast beef, meat pies and stews, cajun fish, curry dishes and spicy foods, haggis, and strong cheddar and blue cheeses.
- Lazyboy Stout : Medium-bodied dark ale with a rosasted flavor and a hint of chocolate. No bitter aftertaste.
- Firehouse Pale Ale : Medium-bodied amber ale, lightly fruity with hop aroma.
- Picture Of Nectar : Before you slip into the night, you'll want something to drink. Picture of Nectar is the perfect complex beer with a huge pine and citrus hop profile sure to satisfy your craving. Our Double IPA brewed with elderflower and peaches has notes of stone fruit and a distinct verdant bitterness. It has an underlying herbal fragrance and a flavor that is reminiscent of honey and flowers. This unapologetically assertive brew is bursting with flavor and is perfectly pleasing to the palate.
- Rondy Brew (2015) : In the cold and dark heart of winter, in the slightly twisted, yet brilliant mind of a local DJ, an ember slowly burned. How long, how hot, who know? What we do know is that the ember grew into a flame and once released, grew legs, antlers and much more...A legend was born.
- Hop School Amarillo : Amarillo is an old mainstay in craft brewing circles with a distinct orange, tangerine-like nose. Hop School: Amarillo features an aggressive citrus nose with a persistent grapefruit flavor and a firm citrus peel bitterness in the finish.
- Pomegranate Sour : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Space Confetti : Mashed with local barley from Riverbend Malt House and flaked oats. Fermented with our clean and crisp house saison yeast blend. Injected into the fermenter with one whole actual ton of New Appalachia. Feremented again on the peaches until bone dry. This quenchable and crushable fruit beer has a lovely peach skin aroma that follows into the taste.
- Schlafly Grand Cru : Our Grand Cru rewards like dry champagne with aromas of passion fruit and exotic spice. This rich, golden-colored ale is fermented with a distinct Belgian abbey ale strain, then bottle conditioned with extra sugar and yeast for at least two weeks. Bottle conditioning creates the effervescent mouth feel, as well as the distinct Belgian lace prized in Belgian beers. Enjoy the complexity imparted by technique and craft.
- Maltster Of Puppets : Americanized version of an English ESB; kinda like an old school pale ale. This beer is full bodied and malt forward from rye, Irish pale malt and English dark crystal malt. We also added just enough Amarillo and Motueka hops to balance the caramel, biscuit and spicy rye malt character. 
- The Grey Lady : Named for the often foggy island where it is brewed. This wheat beer is fermented with Belgian yeast and brewed with fresh fruit and spices.
- Zombrew : A frighteningly good IPA with a medium malt body that allows you to really sink your teeth into the five different hop varieties. Your mouth will be murdered with a striking but balanced bitterness then reanimated with the subtle fruit flavors and a snappy dry finish.
- Phantom Ghost : Phantom Ghost, a collaborative saison made with upcoming brewery Level Beer, was formulated to be a well balanced brew with herbal and perfumey hops contrasting a fruity yeast strain that generated attractive fresh orange flavors in our most shallow open fermenter. Those perfume and fruity notes may smell sweet but are only an illusion, as the beer finishes quite dry, still maintaining some body thanks to a bit of rolled spelt incorporated into the grist.
- Charbonniere : Inspired by the German Rauchbier – smoked beers from the Bamberg region – Charbonnière is a dark amber beer with a distinctly smokey aroma, obtained by the use of wood-smoked malt during the brewing process. It is sustained by a slightly sweet malt backbone, permitting the smoked malt to express itself freely with every sip.
- Mud Shark Porter : Medium-bodied and robustly flavorful, Mudshark Porter sports a satisfying dry finish and rich notes of chocolate. Smooth, dark, and bittersweet cocoa flavors linger on the palate from first pint to last. A wonderfully smooth and creamy porter, Mudshark ranks among the favorites of a special class of aficionados known for their appreciation of fine beer: the Mighty Fish Brewers. We assert that after a day well-spent exploring the great outdoors, a friendly pint enjoyed with barbeque, sharp cheese, or-but, of course!-chocolate has the power to help sustain weary souls and rejuvenate tired bodies.
- La Terrible : In 2002, when the SAQ requested an exclusive new high-end product, Unibroue responded with Terrible. Given its dark colour and 10.5% alcohol content (a first for Unibroue), we knew that this Belgian quadruple-style ale might very well be greeted with reticence.
- Single Track : The winners of the Fatbike Race Series collaborated with our brewers to create this refreshing pale ale. This is a single malt and single hop (S.M.A.S.H.) pale using Marris Otter malt; an English winter 2-row variety known for imparting a rich, biscuity, and slightly nutty malt flavor and showcasing the citrus and apricot notes of Australian Topaz hops. Congrats to Kim and Patrick for a great race series and a great beer!
- IPA : A copper-colored, super hop-infused ale with citrus, pungent pine and tropical fruit aromas. Hopped with Simcoe, Chinook, Centennial, Cascade, and Amarillo hops.
- More Moro Blood Orange IPA : Blood Orange IPA. We ceremoniously slaughtered heaps of crimson-fleshed “Moro” fruit to retrieve its delicious ichor, and then blended it with caramel malts and grapefruity hops.
- Vic Secret Dry Hopped Fort Point : This dry hopped pale ale contains the same malt bill as classic Fort Point, but with a dry hop of Vic Secret. Pouring a hazy golden color, Vic Secret Fort Point emits herbaceous aromas of lime, and mellow citrus. Strong grapefruit pith & biscuity flavors wash the palate with the familiar smooth mouthfeel and medium body of our signature pale ale.
- Black Canyon Stout : Named after the canyon in which the dam is built, this rich, dark beer is made with four varieties of malt. Minnesota two-row brewers, English chocolate, black malt and roasted barley give a pleasant coffee-like character to the finish. This ruby-black brew is perfectly balanced with East Kent Goldings and Liberty hops.
- Big Style : Big Style is brewed with brown sugar and molasses. This stout is full of sweet aromas and hints of toffee and dark fruit flavors. These flavors give way to a roasty bitter aftertaste that’s relatively clean.
- Summer Crush : This New England IPA oozes stonefruit, passionfruit, and grapefruit thanks to Galaxy, Citra, and El Dorado hops. The body is made up of wheat, oats, lactose, creating a fruit bomb with a super smooth finish.
- Black Oak Break Of Dawn : This bright and juicy APA is bursting with aromas and flavours of mango, grapefruit and. Adding a touch of wheat to the recipe results in a perfect easy drinking summer patio brew! 
- Russian Imperial Stout : Dark as the darkest night with high IBUs. We journey back to 18th Century Russia with this big, bold, roasty stout. Brewed with copious amounts of English crystal malt and roasted barley, hopped to a scorching 90 IBUs and then conditioned long enough to round out the edges. 
- TropiCali Dank : TropiCali Dank is a very flavorful hop forward IPA with big tropical flavors and aroma. The three hops used are Mosaic, Melon, and Eureka, which give TropiCali its tropical dankness. The aroma is heavy with grapefruit and melon, which pairs nicely with the dank pine notes from Eureka and a hint of mint. Just as the name implies, TropiCali delivers big tropical and dank flavor, with notes of sticky hops and the perfect amount of malt to balance it out. The finish is dry, leaving your tongue with a hoppy resinous lingering of strawberry, stone fruit, and citrus.
- Peach IPA : Throw back to one of the first Peach IPAs ever brewed at New England. Balanced peach and tropical fruit notes from the hops and a kiss of dank resin. Hopped with Mosaic, Galaxy, Citra and Columbus.
- Axum Coffee Chocolate Stout : Midnight black in color, with a medium body and easy approachability. Rich aroma with lots of coffee and dark chocolate notes. Great subtle sweetness with finishing coffee bitterness.
- Port In The Storm Porter : Don’t be afraid of the dark. This smooth tasting ale has a roasted malt flavour with hints of chocolate and coffee. The initial sweetness is complemented by a judicious amount of English hops.
- Cuvee Cerise : This Belgian-style barleywine began its life as "Cuvée de Monterey" last fall before undergoing a year-long stint in a Cabernet Franc barrel from Heller Estate. There we continually added tart red cherries to the barrel, and inoculated the beer with brettanomyces, which are a type of wild yeast that will scavenge any type of available sugars in the beer that remain, including those from the added fruit. Over time, "Brett”, as it’s commonly referred to in the beer and wine realm, dries the beer out and creates unique flavor compounds and esters which adds a unique complexity. 
- Rugged Trail Nut Brown Ale : Rugged Trail Nut Brown Ale is back on tap in our Tasting Room for a limited time. Originally released as “Nut Brown Ale,” Rugged Trail was eventually given a makeover and became one of our first year-round beers. Rugged Trail boasts a deep bronze hue, rocky head, and subtle hop aroma. Toasted Amber and Chocolate malts impart a rich nutty character and creamy texture, making Rugged Trail an obvious quaffing delight! 5.0% ABV and 33 IBU. 2014 Availability: draft and growler fills only.
- Snapper Biscuit White IPA : Inspired by the brilliant white beaches of the Alabama Gulf Coast, this White IPA is as refreshing as it is bold. Tropical citrus notes of Citra, Galaxy, and Amarillo hops combine with a slight spice & fruit finish from the golden wheat, making this one perfect for a low tide stroll in the sand. It's snapper biscuit season!
- Burdock Pale Ale : Like an IPA that won’t bomb your pallet. Upfront El Dorado and Nelson Sauvin hops. Pleasant, mild bitterness. Ripe tropical fruit notes. Guava and papaya.
- Wit Ale : With its complex herbal aroma, golden cloudy color, orange-citrusy fruitiness, and spicy flavor, our Belgian style wit beer is sure to satisfy. Contains wheat malt, spicy hops, orange peels, fresh coriander, and lemon zest. best served at 42ºf in a tall pilsner glass with a slice of orange.
- Therapist Imperial IPA : Science will try to tell you that the tongue can't detect more than 80 bittering units. This hop centric imperial IPA will not leave you wanting more. At over 100 IBUs, Therapist is surprisingly easy to drink. Big bold hop aromas and flavors of citrus tropical fruit, and pine are bracketed by light malty sweetness that does not overpower. A healthy addition of wheat in the grain bill adds body and mouthfeel.
- Funky Gold Amarillo : Funky Gold Amarillo is the second beer in our dry-hopped sour ale series. We took our sour golden ale, Gold, and gave it a heavy dosing of Amarillo hops. The result is a beer that is a mix of tropical fruit and Prairie funk. Notes of peach, orange, white wine, and citrusy brett can be found in the flavor and aroma.
- Chicago Common : This was brewed in 'steam beer' tradition (though the beer can not be called a 'Steam Beer'- it is referred to as 'California Common'). We used a lager yeast strain at warmer fermentation temperatures, so the resulting beer has more fruity esters than a traditional lager. We also took inspiration from a former Central California brewpub that brewed the style, and used whole Glacier hops in the brew for floral hop aroma, and a medium bitter hop finish.
- Motif Reserva : Dark Belgian-style Sour Aged in Sherry Casks
- Rainbow Crow : An orange-hued Saison brewed with smoked hops for notes of autumn fires and dried fruit with an herbal hop finish.
- The Sharkler : Shark Meets Hipster Wheat IPA and real grapefruit juice. With a tart and citrusy refreshing flavor, this is your perfect Chicago summer throwback.
- Rye IPA : This IPA has aromas of spicy rye and tropical fruit sweetness on the nose. There is a slight caramel sweetness followed by dry spicy flavors of the rye. It finishes with a slight hop bitterness. (71 IBU)
- Crooked Stave Wild Wild Brett "Orange" : Wild Wild Brett Orange is an unfiltered, slightly tart wild ale, fermented entirely with Brettanomyces yeast. Brewed with fresh Minneola tangelos, bitter orange peel and coriander, Orange pours a golden color delivering tropical fruit aromas and bright orange citrus flavors with a tart earthy finish.
- Oatmeal IPA : Our Oatmeal IPA will change the way you look at IPA! Brewed with a generous portion of flaked oats that provide a creamy, velvet-like mouthfeel, this IPA takes nearly all of its hops (Chinook, Mosaic and Citra) as late additions and dry hops during fermentation, resulting in big aromas and flavors of grapefruit and cantaloupe with very little bitterness. Enjoy this beer, best paired with sunshine, friends and good vibes.
- Dissertation Double IPA : Dissertation is a double-dry-hopped Double IPA with an intense amount of Galaxy, Mosiac, Citra, and Simcoe. It pours a vibrant gold with generous aromas of juicy passionfruit, ripe mango, earthy pine, and bright citrus. Although Dissertation is quite strong and showcases an enormous amount of hop character, it remains smooth and drinkable with a clean finish and pleasant bitterness.
- Sternwheeler Stout : Color: Very Dark
- Roza Reserve : A rich copper color with robust earthy malt characters. We have layered various depths of Crystal Malts for a complex, warming experience. Traces of vanilla and spicy floral hops culminate in the "BIG" yet well balanced classic style. 
- Red Rock Positively Porter : Inspired from the now wavering English Porter, the American Porter is the ingenuous creation from that. Thankfully with lots of innovation and originality American brewers have taken this style to a new level. The hop bitterness is minable and well balance with dark malts.
- Shower Tears : Brewed with blackberries, salt, grapefruit peel and lime zest.
- Mosaic IPA : The deep golden/light amber color of this IPA comes from the use of a blend of English Maris Otter and American pale base malts. Sparing use of English crystal malt lends some caramel sweetness to help balance the hefty bitterness. Heady aromas of blueberry, pine, citrus and tropical fruit are the result of blending Mosaic hops with several other delicious American hop varieties. For being a large, hoppy beer it is quite drinkable, in part due to the balancing act of alcohol, malt complexity, and enormous American hop character.
- Chocolate Raspberry Imperial Stout (2009 Rivale Winner) : Black/opaque in color, high in alcohol content, very robust with rich malty flavor and aroma balanced with assertive hopping and fruity-ester characteristics. Hop bitterness is high but balanced with chocolate malt, Belgian chocolate and some tart/sweetness from raspberries. Roasted malt astringency and bitterness are balanced by residual sweetness from milk sugar added.
- Leaded : A stout ale crafted with dark malts and a heavy dose of cold pressed coffee from local roaster Beanetics of Annandale, Virginia to lend a pleasant and smooth roasty finish. This full bodied stout will have a malty and smooth body as a result of the addition of flaked oats. Lightly hopped to allow the bold flavors coffee lovers will certainly enjoy.
- Only Void - Coffee And Cherries : Brewed with heaps if caramel malts, roasted barley, dark wheat, chocolate malts, vienna, oats, and lactose, Hopped with Centennial. Aggressively aged on our house roast Reanimator coffee beans as well as loads of cherries. Decadent does not even begin to describe it. - Notes of intense coffee aromatics, deep chocolate, cherry cordials, and roast.
- Hindquarter Porter : This dark ale starts a little sweet, but finishes with a roasty malt and hoppy bite. This is no Black IPA, so please don’t be put off by the description. Hindquarter porter is a great starter for those that want to venture into the mysterious world of dark ales. Henry and I are not sure why anyone would second guess drinking a darker ale, but this one will have you coming back for more and even possibly change your mind about experimenting with dark beers altogether.
- Your Argument Is Invalid : A whiskey barrel aged Imperial Stout. Brewed the first week of 2015 then aged 12 months in fresh wet whiskey barrels from Colorado. Rich, Complex, Floral, Fruity, and Bitter. Served on nitrogen, this beer is a thing of beauty.
- Never Ever : Gose conditioned on just shy of double fruit levels of Stawberries, Raspberries and Plums.
- I Have Promises To Keep w/ Guava : For this draft special of I Have Promises To Keep, we added fresh Guava to impart an additional layer of exotic tropical fruit goodness. The result is mouthwatering and pleasant on this gorgeous Autumn day.
- 787ö2 : 78702 is brewed in the style of a traditional Kolsch. Hailing from Germany, this style is blonde in color, bright and clear with a lasting white foam head. Aromas of bready malt and spicy noble hops pop out of the glass and the flavor delivers thirst quenching refreshment, with an ever so slight malty and fruity finish. 78702 has a refreshing bitterness and clean and crisp finish.
- Coconut Porter : Our traditional Brown Porter is brewed with English Dark Malts to give it the perfect balance of toasted grain and smooth chocolate flavor. Our twist on this classic style comes from the addition of toasted coconut, giving our Porter a subtle hint of delicious tropical flavor.
- Summit Union Series #6 Imperial Russian Stout : Armed with an authentic British recipe from the 1840s, Summit Brewing Co.’s Head Brewer Damian McConn crafted Union Series 6: Imperial Russian Stout with a massive malt character from brown, black, chocolate, and heritage pale malts, plus huge amounts of Olicana and Minstrel hops — two new British varieties. Aged for six months in the fermenter, this addition to the Union Series features notes of black licorice, bitter chocolate, dark fruit, and mocha coffee, producing a full mouth feel and an assertive, dry and warming finish.
- Gosen Down The Street : Introducing our newest collaboration! "Gose In Down The Street In My 64"...this is a huckleberry, blueberry & boysenberry Gose. This beer has a clean lactic sourness that leads into a fruity finish with a light saltiness. We brewed this beer with our good friends from San Diego's Knotty Brewing!
- Giantsbane : Giantsbane is a Double Stout brewed with a complex amalgamation of dark and roasted malts. Black, roasty, and hefty.
- Golden Scepter : Our Belgian Golden Strong Ale brewed with a touch of fresh grated ginger and pitched with a Belgian yeast strain for a funky, fruity aroma and taste profile.
- Leaking Staves : Golden sour ale, aged in oak with NY grown cabernet grapes. Tart, lightly acidic, with jammy and fruity notes. 
- Icon Series: Bière De Saison : This beer has a complex spicy nose with notes of brown sugar and plums. The taste starts with big spicy malt and alcohol moving to fruity in the middle and then an earthy, spicy finish. High complexity reminiscent of something between a dubbel and a quadruppel. Here is what brewer Aaron Inkrott says about this beer:
- Sticky Hands : Offering a luscious blend of flavor and drinkability, this Hop Experience Ale features ample additions of sticky, lupulin-packed hops, grown in the Pacific Northwest. The result is an aromatic blast of citrus, tropical fruit, and dank herb that transitions into resinous hop flavor and a delightfully balanced finish.
- Amsterdam Framboise : Using an old world recipe, we handcraft this wonderous beer with Belgian wheat malt and fresh raspberries. In fact, six pounds of fresh British Columbia raspberries go into making every case, resulting in a tart, crisp flavour. Our double fermentation process produces an intensely fresh raspberry aroma and palate, abundantly obvious from its ruby-red colour and pink head. During the aging process, the hop and fruit acids balance out the residual malt sugars to give this beer more taste bud bang. Amsterdam Framboise is best served chilled and shared with friends.
- Hogback Amber Ale : Named for the Colorado landmark, this deep amber ale carries a rich bready malt character with notes of caramel, fruit, citrus and spice. Balanced by a clean bitterness and fresh hop character; this is a little session ale with a big attitude.
- Uncrushable - Barrel-Aged : Here's the barrel-aged version of a stout with so much flavor that it's "UNCRUSHABLE"! This incredibly dark beer is packed with notes of dark fruit, coffee, fudge, and caramel.
- 077-07871 - Mosaic : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-07871 is the Dubviant tuned up with an exclusive Mosaic third dry hop inspired by the places that get it in Sparta. Mosaic seduces 0’dub’s mix of dank resins and tropical fruits with its slutty mix of all the aromas attractive in new world hops. Drink 077-07871 and immerse in hedonism.
- Dry Hop “Bling” Pale : The more I drink and think about Pale Ale the more endearing it becomes. Pale Ales are straightforward beers and their charm comes from dedication to simplicity. But there comes a time in every brewers life (read daily) when he or she wants to add that little bit more... Hence the Dry Hop! What are dry hops? Simply hops added in the fermenter or cask - not boiled in the kettle. Dry hop additions do not impart the bitterness that kettle hops do and add a surreal hop resin texture to the beer as a result. In the end we are left with our beer a little less balanced than our status quo but the energy that the prominent hop note affords is pretty cool as it stands apart. Cascade is a classic hop for this technique as it lends a heavy grapefruit note which operates as an acidifier to the malty brew.
- India Black Ale : Dark, American-style IPA with pronounced bitterness complemented by a touch of roasted flavor. Hop flavor and aroma are courtesy of two pounds in the hopback per barrel.
- Puff Puff Pass - Smoked Porter : A wonderfully rich, dark beer with nice smokey notes. Crafted with smoked German hardwood matl and balance with two different caramel malts. Why just have a porter when you can have a smoked porter?
- American Copper : Our amber ale has a complex malt profile with a balanced hop character.
- Ghost Train : "A full bodied, ruby, premium bitter, with a delicate blackcurrant aroma. Initial gentle bitterness on the palate and subtle spicy notes are followed by a sweet, fruity finish. "
- Angry Alice : A pale golden IPA with brilliant clarity. The judicious use of Amarillo, Citra, and Simcoe hops give dank aroma of resin and pine sap mixed with tropical fruit aromas of mango and papaya that assault your senses. A firm, but smooth, bitterness is balanced by a slight hint of sweet malt flavor with citrusy and fruity notes on the finish. This beer will make your taste buds sing, and should satisfy the hophead in everyone!
- Richard The Coffee Whale : Cold pressed Worka Ethiopia from JBC roasters. Hints of the coffee's lemon, honey, and passion fruit add even more complexity to Richard for a perfect pairing.
- Vanilla Porter : Part of our Midge Series, the VP is a perfect combination of dark, roasted malts with a slight touch of Vanilla to smooth it out. 6% ABV, 25 IBU
- Toffee Stout : Carolina Brewery commemorates it's 23rd anniversary with this tasty beer celebrating the unique flavor of Chapel Hill Toffee and the smooth silky character of a Stout. This full-bodied beer is loaded with chocolate, sweet caramel and subtle nutty flavors. These delectable attributes are derived from a select blend of roasted malt, chocolate malt, Belgian caramel malt and pure cacao. Smooth-tasting English Fuggle hops round out the flavor and balance this malty brew.
- Dogbolter : Dogbolter is a Munich-style dark lager. Central to this style is a rich malt character reflected in the make-up of the grist. We carefully selected six different malts including Pale, Crystal, Wheat, Chocolate Malt and Chocolate Wheat to deliver a rich caramel, chocolate and toffee flavour. Chocolate malts also give Dogbolter its dark ruby colour.
- Redback Beer : Styled on the traditional German wheat beer or weizen style of beer. Redback has a fruity/clove aroma, a generous creamy mouth feel and refreshing hop finish.
- Milk Stout : We are proud to offer this traditional English Sweet Stout that's bursting with roasted barley flavor. A dark ale, Milk Stout has just a touch of sweetness provided by an addition of non-fermentable lactose sugar.
- Goose IPA : Our India Pale Ale recalls a time when ales shipped from England to India were highly hopped to preserve their distinct taste during the long journey. The result is a hop lover’s dream with a fruity aroma, set off by a dry malt middle, and long hop finish.
- Scaler Single Hop : The second seasonal in the Experimental Forest Series, Scaler Single Hop IPA is brewed and dry hopped exclusively with Vic Secret hops, harvested out of Australia. Delicious notes of passionfruit, pineapple and pine, with a crisp refreshing finish make this IPA a perfect choice for summer.
- Life In Technicolor: Clementine : The fourth iteration in our Life In Technicolor series, features both a single hop and single citrus fruit. We brewed this beer with a soft malt base consisting of a large amount of wheat as well as oats to help provide a round mouthfeel and body. We hopped it intensely with only Simcoe hops to add notes of pineapple, citrus and pine. Whirlpool additions of over 15 lbs per barrel of clementine zest and juice were added for huge notes of fresh squeezed orange juice. Super tropical and super crushable.
- Galaxy IPA : This is an American Black Ale (the style is also known as Black IPA or Cascadian Dark Ale), and is a highly hopped black beer.
- Tower Of Babel : High-abv dark farmhouse ale fermented in oak with Montmorency cherries and a mixed brett culture. Clocking in at 9.7% ABV, Tower of Babel was fermented in fresh red wine barrels from our friends and neighbors at Ward Johnson Winery as well as two second use bourbon barrels. The beer was aged for 6 months and then the wine and bourbon barrels were blended at the time of bottling.
- Cuvee of Darkness V2 : The fabled Cuvee of Darkness is back! As dark as a black hole and as thick as the oil pumping through a 409 big block. Blended using variants of Bourbon County Brand Stout from 2011-2016 including Cherry, Vanilla, Rare, and Barleywine.
- Walnut : A standard porter grist with chocolate wheat malt added for roast and body. Cascade hops are added for fruity hop flavor and aroma. Finally, it is fermented with one of our house Belgian Ale strains for a complimentary ester profile.
- Easy A Session IPA : Just in time for summer, Easy A Session IPA seems bigger than it is. Heavy use of Mosaic hops gives the beer a complex aroma and taste of pine, citrus, and tropical fruit. Low enough in alcohol to enjoy more than one, but interesting enough to satisfy your cravings.
- Extra Special Basset : An ESB is a British style beer with a rich, coppery color. It is brewed with a complex mix of low alpha acid hops. The beer is malty and bitter without the bite. Stanley and Leroy are really chuffed about this brew; they think it's a real corker!
- Sass On The Side : Sass on the Side is an American Brown Ale. It pours a dark reddish-brown color and has tons of nutty and toasty flavours. This is a delicious beer on its own, and it also pairs well with many types of food. We happen to think it is the perfect choice to have with a burger or steak.
- Barrett's Farmhouse Ale : Barrett’s Farmhouse Ale-Is a straw-gold rustic ale “on lees” that evokes a time long ago with a robust yeast strain, that likes it hot…a vigorous top-fermenting classic that provides some of the best food pairing flavors on the planet. We temper this spicy, fruity yeast profile with pedigreed noble hops; East Kent Goldings for bittering and a generous dose of Hersbrucker for aroma. This beer will increase in complexity and dryness over time, providing a bit of insolent freshness up front, and more refined dignity even months after the brew date kept in the right conditions…above all upright and away from light.
- Madrone : Madrone is an amber saison with a hint of tartness and a big burst of fruity west coast hops. Citrus and tropical fruit in the nose this might be the closest to an IPA we’ll get.
- Vienna Lager : Our Vienna Lager is a great example of this classic beer style. It pours a bright and clear rich copper color with a foamy white head. The aroma is slightly toasty caramel with hints of grassy hops. The taste and mouthfeel present a smooth malt character, almost nutty with hints of cedar and toasted bread. German noble hops lend a fresh, grasslike note that balances but doesn’t override the kilned malts. This is perfectly crisp and easy drinking beer for cooler nights on the North Shore.
- Summer Nights : Summer Nights marries our love for the rich, roasted flavors of darker beers with the crisp, refreshing drinkability of our favorite lagers. Perfect for sipping by a summer bonfire.
- Blimey English-Style Pale Ale (2010-2012) : The beer English breweries would brew if they played football the right way. This Extra Special Ale takes a classic style and gives it an American twist. Enjoy the complex malt profile and layers of sublime English hops. One taste will have you saying "Blimey!"
- Tripel : Six Months of aging brings a soft smoothness to this sweet, complex ale. The result is a “sipping beer” that doesn’t seem like one. By this we mean that Legend Tripel is a deceptively strong beer to be shared with friends and family in celebration and moderation. Legend Tripel is brewed on a Belgian abbey style yeast strain which imparts combinations including banana, clove, apple, pear, even bubblegum. Serve with mild cheeses, roasted pork or turkey.
- John Smith's Extra Smooth : John Smith’s Extra Smooth was launched in 1993 and is now the nation’s No.1 ale. The boffins say it has a distinct cereal character, with malty, caramel notes being complemented by some fruitiness. But we just think it’s a right good pint.
- John Smith's Bitter : John Smith’s bitter, which is still going strong, is a malty, bitter sweet ale with a slight fruitiness and a bitter aftertaste – we probably took the words right out of your mouth. John Smith’s Original can be enjoyed in cans at home (3.6% ABV), plus there’s the Cask Ale available on the bar (3.8% ABV).
- Fistful Of Hops "Green" (Spring 2015) : Fistful of Hops is our quarterly series of IPAs, each with the same malt base. We balance that base against a seasonal “fistful of hops” - each time a different combination. Our 2015 “green” release blends Nelson Sauvin, Mosaic, and Chinook hops to provide a white grape-like fruitiness balanced with flavors of citrus.
- Azekuanot : Northeast-Inspired Wheat India Pale Ale. Wood/Pine/Eucalyptus, Grapefruit/Orange, and Slightly Sweet Mouthfeel.
- Sellwood Lager : This is our take on the American adjunct lager. With a light, cracker-like malt bill, we add a lager yeast to clear it up and take out a little bit of the fruitiness. What you're left with is a clean, crisp winner suitable for drinking outside in the sun.
- Guava Gose : Fruited gose conditioned on guava
- Jemmy Dean Breakfast Stout : The stout style lends itself well to pairing with coffee. Our Jemmy stout uses 11 different malts and has a complexity that is complemented by our special cold-pressed Aurora Guatemala Antigua coffee added into the serving tank – yielding our “Jemmy Dean” breakfast stout.
- Big Dipper : We aged a strong dark beer base in bourbon barrels with Lactobacillus for 1 year. This beer was then racked onto cherries in a stainless vessel. The result? A moderately sour, cherry-infused strong dark sour ale. That’s a lot of adjectives. It might be easier to taste it and see for yourself!
- Straight Pipe Stout : Premium Maris Otter malt for a strong base blended with English roast and lactose sugar. Hopped with traditional English Fuggles hops. A big stout where a dark rich chocolate milk meets with the essence of coffee.
- Novale : "Saison With Brett" - Novale is our house saison. It is strongly hopped during the boil but mellows out while it spends a month maturing in old oak barrels. It is hoppy, funky & fruity all at the same time. Meant to be refreshing & fulfilling it has a peppery aroma reminiscent of fresh peach skins. A refreshing acidity leads to a funky, citrusy & lemon body. It finishes dry with a soft hoppy bitterness.
- Heineken Oud Bruin : Doesn't fit to Flanders Oud Bruin beer style category. Fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Troegenator : Monks had fasting figured out. No food? No problem. Just drink a Double Bock. Thick and chewy with intense notes of caramel, chocolate and dried stone fruit, ‘Nator (as we call him) serves as a tribute to this liquid bread style.
- Tin Lizzie Hefeweizen : A German wheat beer so valued in its hay day that the German Nobles passed a law that only their personal brewing facility could make it. The special yeast used in this beer gives it a hearty aroma of bananas and cloves, though no fruit or spices were harmed in the making of this beer. German tradition leaves the yeast in the beer for its health benefits, and Dr's in Germany still prescribe a half a liter of wheat beer a day to their aging patients.
- Sour Hound : Light brown with reddish hues and aromas of dried fruit, apple, tea, cola, and toasted oak. The layering of German specialty malts relinquish flavors that include cherry walnut, caramel, and chocolate. Aged hops added in the boil protect the beer and add a tea like earthiness. Flaked oats provide a creamy thickness and toasted oak chips give it a charred woody profile to round out the finish. The unique souring process during the brew provides a refreshing tartness that intertwines nicely with the oak and malt flavors.
- Mean Old Tom : Our American-style stout aged on organic vanilla beans. Intense notes of coffee and dark chocolate lead way to subtle notes of natural vanilla. Flaked oats generate a silky mouthfeel.
- Brewer's Alley Oatmeal Stout : Yet another British style. Stouts are black beers which have strong roast and burnt characteristics. The dark malts used give this beer a wonderfully rich aroma and taste. It is not hopped very heavily and oats are used in this particular style because they lend a fuller mouthfeel.
- Everything Rhymes With Orange IPA : Everything Rhymes with Orange, formerly known as Nothing Rhymes with Orange, formerly known as Adaptation Ale 3, is a showcase for juicy, citrusy hops. Hazy and non-filtered, this IPA features a low bitterness and a full, soft body while finishing dry and clean. Simcoe hops are featured, with Citra and Mosaic providing backup and complexity.
- Wild Oats Series No. 10 - Dunkel Buck : Beau’s “Dunkel Buck” is brewed in the Dunkel Weizenbock style – a strong, dark version of a traditional Bavarian wheat beer. This cloudy, dark and unfiltered wheat beer displays intriguing clove and banana aromas. The flavours follow, while adding in a chocolate and mocha undercurrent. The beer finishes dry with a slightly tart spiciness, and the alcohol is moderately warming.
- Tropicara : We combined some our juiciest hops to make this tropical treat. A blend of Citra, Galaxy, Hallertau Blanc, and Mosaic provide notes of pineapple, mango and passionfruit, along with citrus and grapefruit. This IPA will take you on a tropic adventure.
- Saving Daylight: Mango : Saving Daylight: Crisp, Refreshing, Citrusy. A quaffable American Wheat Ale brewed with orange and grapefruit peels. The hop back addition of whole-cone Centennial hops balances the citrus and provides a subtle yet flavorful bitterness. This complex take on a wheat ale is brewed for the days you just don’t want to end! 
- Vendel Imperial Stout : Dark and luscious, Vendel Imperial Stout is a big roasty beer with a wonderful aroma of coffee and dark chocolate emanating from its light brown head. Brewed with flaked oats for a creamy, satisfying mouthfeel, you’ll experience flavors of dark-roasted coffee and rich, bittersweet chocolate. Vendel’s recipe includes Sumatra coffee roasted locally at the Coffee Factory in Derry and is the perfect beer to warm up with during the harsh New England winters.
- Nightmare On Brett Raspberry : Dark sour ale aged in Leopold Bros whiskey barrels with raspberries
- V-Twelve : Heady with a aromatic fruity start and taste, this amber ale features hints of pear and apricot in its well-nuanced flavor. The initial impression of fruitiness concludes in a refreshing dryness that begs you to sip again. Be fore- warned, this ale is immense as it registers 12% abv.
- Corfu Ale Special : Red unfiltered and unpasteurised ale made from caramelised malt and yeast with fruity essence-aroma... Produced with the Real Ale philosophy...
- Hello Cerise : Dark sour aged in oak wine barrels for 5 months with a blend of mixed cultures, then transferred to stainless for 2 months and re-fermented with a blend of sweet and tart cherries. Transferred again to freshly dumped Pinot Noir barrels and aged for another 4 months to pick up character from the wine and oak.
- Perle Dans Les Vignes : Hommage à l’Alsace ! Brassée et fermentée à partir d’un assemblage de moût de raisin et de malt d’orge, c’est la rencontre d’un savoir faire brassicole avec le fruit le plus noble du terroir alsacien. Bière à fort potentiel de garde.
- Black Earth Porter : Dark and full-bodied, this is our interpretation of the classic English Porter style. Made with nine varieties of malt and assertively hopped, our porter is packed with flavor. Strong coffee and chocolate tones create a special brew for those advancing on the path of fine beer appreciation.
- Sweetwater Georgia Brown : The malt bill gives a subtle nutty & toasty flavors and the chocolate malt provides a rich cocoa flavor with aromas that range from roasted coffee to chocolate-covered dark fruits. The hops used provides excellent bitterness in relation to the chocolate notes of the malt. The flavor and aroma provide clean floral, fruity and herbal notes. A light dose of hops brings balance to all.
- Brother David's Belgian-style Double Ale : Inspired by the classic Dubbels of Belgium, our Brother David’s Double has a dark brown body and aromas of warm cocoa, banana, and cloves. Specialty malts impart a toasted, nutty character and flavors of chocolate-covered cherries and candied fruits, while the subdued hop profile and Abbey yeast create spicy, herbal notes to compliment the warm, slightly sweet finish. Winner of a Gold Medal in the 2011 Great American Beer Festival™, Brother David’s Double is a truly complex and potent ale meant to be savored or shared with friends.
- Northwinds Winter Ale : This is a wee-heavy Scottish with a deep mahogany color. This is a malty brew with flavors of dark currants and roast. We use peat-smoked malt to add a Scotch whisky aroma. This is a February winter warmer.
- Ruby Ale : A light, crisp & refreshingly fruity ale. Great Western Premium 2-row & 42 #s of Oregon-grown raspberry puree is used to craft every colorful batch.
- Good Good Northeast Double IPA : GOOD GOOD is our wonderfully hazed out new-school Double IPA. Pale yellow, with a cloudy head that leaves creamy lacing. The mouthfeel is pillowy and resinous with a soft lingering bitterness. Big fruity punches of citrus, peach, and pineapple play with pings and pangs of spruce sap, spearmint, hemp, and heady dankness. The finish is straight hop resin that lingers long after each sip.
- Hopper Trail : Grapefruit, citrus, bitter. 
- Dark English Ale : Iron Flamingo’s Dark English Ale is a beautiful, yet simple beer. A perfect blend of six malts, including crystal, chocolate and a small percentage of roasted barley produce a full bodied ale. Willamette hoops add a slight hoppiness on the palate and in the nose.
- Sang Noir : Sang Noir is a blend of imperial spiced red ales aged in bourbon and wine barrels with Bing cherries for up to two years. Pouring a deep mahogany brown, this Northwest sour ale features rich flavors of dark roast malts, bourbon, black cherries and port wine. 
- Capella Porter : Capella Porter is named after a bright star in the constellation Auriga. Sweet dark malt aromas are followed by a nice medium body. Flavors of chocolate and caramel meld with just a touch of roast. A collection of American hops (Nugget, Chinook, Centennial and Cascade) brighten this lively porter.
- Ünderground Stout Lager : Ünderground is a view into Orlison's darker side. Brewed with ample amounts of roast barley and black malt, this is a truly unique stout lager.
- Steam Punk (Dunkelwiezenbrau) : As the name suggests this is a Dark Wheat Beer. Traditionally a German “Wheat Ale” this light bodied, crisp flavored cold Ale has become one of Vancouver Islands favorite brews. This beer has a refreshing graininess in the flavor profile with the addition of 35% White Wheat.
- Munich Dark : Munich Dark is a regional specialty beer that is only available freshly brewed. Seven types of barley are heavily roasted to create the traditional, malty flavors for this "original" Munich beer. A true, time-honored delight that is rich and complex, yet smooth and food-friendly (4.9% alcohol content).
- Front Porch : In a blind tasting it would be almost impossible to say this German style ale is not a lager. With its bright straw yellow color; this beer hits your pallet with a complex yet subtle wash of biscuit and citrus, giving way to a crisp clean finish. Whether you are swinging a club at the Highlands, lazing on the dock, or watching the world go by from your Front Porch…. enjoy this crushable beauty.
- Question Stagnation : Our constant rotation of brews is the inspiration behind this one. With unending combinations of grains, hops, yeasts, herbs, fruits, and other ingredients at a brewers disposal, why get stuck in a rut, brewing the same thing over and over. Question Stagnation is a Double IPA in the most classic sense, with Citra, Centennial and Amarillo hops bringing that familiar punch of citrus for the old school. A nice dose of Rye adds a bit of spiciness and mouthfeel to a super dry and hoppy beer. It packs a punch at 8.9%, which will aid in your pondering of the brewers art!
- Flying Cock : Autumn is upon us, time for darker beers. This export stout was inspired by the Fighting Cock Whiskey barrel that was provided by 7 Grand! We love our barrel aged stouts, but we also like to remember enjoying them, so this is more of a “sessionable” beverage at 6%. Flying Cock is rich without being decadent, caramely without being sweet and roasty without being astringent. Big chocolate and nut notes complete this full flavored beverage and will play well with the vanilla tones from the barrel. The beer will amaze you on its own but the barrel aged version, Pair of Cocks, (Available late Fall ’13 exclusively at 7 Grand and Monkey Paw) will rock your world.
- L'deracola : L'deracola is a beer inspired by another favorite drink of ours that probably shouldn't be such a favorite... cola! To create this unique beer we had to dive through the overwhelming layer of saccharine that dominates the flavor of most colas and discover the subtle flavors that create the world's most popular soft drink. Around a dozen different spices were added to a dark malt base and it was finished off with a twist of lime for good measure. The resulting beer has all of the flavors of an ice cold cola, without the overwhelming sweetness. Delightfully refreshing on it's own, but also ideal for a modern take on a classic style cocktail.
- Gobbler Lager : This German Lager is made with 9 different specialty malts including caramel/chocolate/and toasted malts to give it an authentic hearty dark amber lager taste and is than scattered with German Floral hops that balance the malty sweetness. The yeast enhances the maltiness of the brew and the extended cold conditioning time makes this bier smooth and drinkable as ever. A flavorful German lager that makes for the perfect turkey beer! Gobble, Gobble!
- Osprey : This unfiltered White IPA combines the fruity character of Belgian yeast with pear and apple forward hops and fresh pressed Okanagan pears to create a beer that soars to new heights.
- Revival Tactics : Belgian Golden Strong Ale with a fruity palate woven among medium bitterness and phenolic spice.
- Stage Driver Stout : A strong and robust stout, smooth and well balanced. Rich with the flavors of coffee and dark chocolate, this is a full-bodied brew with a palette-cleansing bitter finish.
- HaandBic : HaandBic is our first beer in the style of a fruit lambic with added red currents and cranberries. We have naturally also added a lambic style yeast blend including bacteria and yeast of different types. Then this concoction has been aged in oak barrels for almost 18 months. The beer gets its tartness from both berries and the concoction we added. It will mostcertainly develop further given time.
- Dark Passenger Saison : A Farmhouse Saison brewed with darker malts and custome yeast blend. Designed by Denny Hynek. 28 IBUs
- Kryptonita Session IPA : A session IPA brewed with Oatmeal and CaraMunich malt. Brewed and dry hopped with Cascade, Simcoe and Chinook hops for a fruity, citrus aroma and clean, crisp finish.
- Cat Love : Douple IPA dry hopped with Azacca. Ripe mango, tropical fruit, smooth rounded bitterness, sustained impressions of citrus, with notes of orchard fruit (pears, apples) and pine throughout.
- RiverBREW Crown Maple Irish Red : What happens when 2 local companies decide to get together to give back? You get “riverBREW: Crown Maple Irish Red”. In partnership with Dutchess County’s Crown Maple Syrup, we are proud to bring you our latest creation. An Irish Red brewed with Crown Maple’s Grade B Extra Dark Syrup. A portion of the proceeds from the sale of this beer will be donated to Team Fox of the Michael J. Fox Foundation. Last year, we teamed up with a local family, the Kelly’s, to host “riverBREW” in our taproom. The event was a huge success, raising over $10,000 for Team Fox. So this year we wanted to step it up. We created a beer specifically for the riverBREW 2.0. Irish Red’s are a style particularly near and dear to the Kelly family. And the resulting beer is a true delight: a nice maple aroma, a beautiful red/amber color, and a smooth and well-balanced experience. And with each glass you enjoy, know you’ll be drinking for a great cause!
- Free Rise - Mosaic Dry Hopped : Our latest edition of Free Rise, one of our signature saisons, highlights locally sourced Danko Rye from Valley Malt and Mosaic in the dry hop. A nuanced fruity hop profile is balanced with subtle, nutty malt character and expressive notes of pepper and clove. Light in body, with a clean, bone-dry finish, Mosaic Dry Hopped Free Rise is a welcomed addition to our family of farmhouse ales. 
- Ramblers Ruin : The CAMRA’s Champion Old Ale of Britain, 2010, our Dark Amber, malty and well hopped beer, with a beautifully balanced aftertaste - a traditional Old Ale with bitterness and aroma provided by Goldings and First Gold, amongst others...
- Kalevipoeg At The Gates Of Hell (Rum Barrel-Aged) : A rum barrel-aged Baltic porter with a complex malt bill and an experimental dwarf hop that contributes notes of stone fruit and a subtle spiciness.
- VT IPA : Our take on the hazy, hoppy style coming from the Green Mountains. VT IPA features late additions of Citra and Amarillo hops that deliver distinct notes of tangerine, mango, pineapple and grapefruit. 
- Reducktion : What happens when you reduce the gluten of Duckpin and then ferment it with a Belgian-style yeast? The answer is a deliciously hoppy gluten-reduced Belgian Pale Ale with a touch of fruity esters balanced with a soft malty backbone.
- Scratch Beer 140 - 2014 (Session IPA) : Another interpretation of the Session IPA style, Scratch #140 incorporates two completely disparate hop varieties. At one end of the spectrum is Chinook, the assertive American hop with a penchant for pungent pine and piquant herbs. At the other end we have Galaxy, an extremely fragrant Australian hop offering a bounty of citrus and tropical fruit. Don’t let the low ABV fool you! Scratch #140 packs a wicked punch in the aroma department and has ample hop bitterness to back it up. At only 4.3% ABV, you can afford to kick back and enjoy a few of these in one session.
- N/E Auburn Pale Ale : A crisp, clean double-filtered West Coast pale ale brewed with citrusy, fruity and dank hops. This pale ale is juicy yet refreshingly clean. We double-filtered this hoppy ale ale in the traditional North East Auburn manner.
- Unjunct : The thing about stouts made with additions of things like coffee is, while they taste “just like coffee,” they taste just “like coffee.” A well constructed stout is a study of potential flavors. Both bitter and sweet at once, with just four ingredients aromas can ping-pong between: coffee, chocolate, vanilla, smoke, dark fruits, molasses and myriad others without running over each other. Drink Unjunct and don’t ask us to treat this one.
- The Ghost Of Gent : A Belgian strong pale ale brewed with white ghost pumpkins,Ghost of a Gent has a fruity aroma, sweet malty base, and a dry finish with melon-like character from the ghost pumpkins.
- Darkness : This listing is ONLY for Darkness that is NOT barrel-aged, which excludes all of the 2014 bottles, all of which were aged in whiskey barrels. 2014 has a separate entry (http://www.beeradvocate.com/beer/profile/13014/141724/). Any subsequent years that have barrel aged variants, indicated by gold wax and lettering, also have their own separate entries.
- Black Yak : Brewed in honor of the black yak, a symbol of strength and fortitude in Tibetan culture, Black Yak has all the power and spirit of a charging wild beast. Brewed with Highland Qingker Barley and black and caramel malts, Black Yak has supple coffee bean and dark chocolate overtones. Open a bottle and let the Yak out.
- Wild Irish Raspberry Wheat : Each batch of this light, fruity ale is made with 84 lbs. of raspberry puree. It has a brilliant pinkish tint and a hint of natural raspberry tartness. Introduced in the Spring of '94, it was so popular that we now brew it year 'round.
- 20" Brown : "Named after the enormous Brown Trout found in Northwest streams, this beer lives up to the legend. 20" Brown is medium bodied and has an extremely complex malty character. Using 6 varieties of Northwest grown malt, we created a masterpiece of color, aroma and flavor. Set your hook in one of these and you won't be disappointed!"
- Bankston 88 : Bankston 88 is a wheat-based belgian pale ale that combines light citrus flavors with a blend of belgian yeast and west coast, and Japanese hops. Centennial and Sorachi Ace hops, contribute to aromas dominated by lemon verbena, grapefruit, cedar, and gardenia flowers. Flavors include fresh bread, lemongrass, a variety of acidic fruits such as meyer lemon and grapefruit. Mouthfeel is both crisp and mouth-coating due to a large proportion of wheat. In the end you have a complex, balanced beer that proves that a session beer can have incredible depth of flavor all while remain light and undeniably drinkable.
- Foggy Scotsman Porter : Complex malty aromas of dark chocolate, honey, ripe figs, coffee, with a hint of smokiness. Smooth and silky. 
- Jackal : A strong dark sour ale aged for 4 weeks in freshly-emptied Whiskey barrels, brewed with 9 malts and slow soured in our horizontal tank, plus fermented with brettanomyces bruxellensis drei.
- Best Of Both Brews - SQ1Coffee IPA - Ethiopian Coffee : We recently teamed up with the folks at Square One Coffee to create something a little different than your typical coffee beer. They wanted something that complimented the bright and fruity notes of their award winning Ethiopia Guji. The result - Best of Both Brews - SQ1 Coffee IPA, we think you'll love it, we know we do.
- Pils Noir : We are pleased to share our innovative black Pilsner, Pils-Noir. Made from Pearl (Winter) barley, malted for us by Munton’s, CaraMalt and Crystal malts, prepared using our unique, husk-free milling process. We then naturally darken the beer using the classic Czech technique of decoction mashing. Hopped with Oregon Willamette, Mt. Hood and Washington hops, and finished with noble Czech Saaz for a fine aroma.
- Arabian Date Night : English Style Barleywine fermented with Palm Dates and Vanilla beans and aged in Brandy Barrels for a smoother, sweeter full bodied beer with a semi-dry finish and a hint of brandy. Aromas of dried fruit and biscuits meld with woody overtones and delicate vanilla for a sipping brew that's surprisingly drinkable.
- Cherry Medley Pale Ale : Cherry Medley is a Golden Ale fermented with Montmorency, Balaton, and Dark Sweet Cherries. This cherry filled Golden Ale pours with a dark red hue and a pinkish head. Cherry Medley tastes and smells of big, bold cherry and has a balanced sweetness with just a touch of tart cherry flavor. This brew is refreshing and has a clean finish.
- Flyin' Monks : Conditioned on oak cubes used by Spirit of Texas Distillery to age their Pecan Street Rum, this ale has complex sweet oak, rum flavors with a warm alcoholic finish. Pair with dark chocolate desserts or bold cheeses.
- Mulligan Ale : Dark amber with a well defined hop character and floral aroma. It's a gimme.
- 1812 : One of New Zealand’s first new generation pale ales and now something of a classic, Emerson’s 1812 is all about balance. Pouring a bright amber hue beneath a deep cream coloured head, the aroma hints at caramel and dark toffee balanced with a light citrusy fruitiness. Medium bodied, the palate first offers a marmalade-like combination of ripe citrus and caramelised malts before resiny hops come to the fore and lead into a lingering dry finish.
- Schlafly Raspberry Hefeweizen : Our Raspberry Hefeweizen is a true fruit beer, not a fruit-flavored beer. We add pureed raspberries to our Hefeweizen during the primary fermentation process. Although we add no sugar, color or flavors, the resulting beer is a hazy pink color, with citrus aromas from the wheat and a flavor that is neat and tart. While this beer is low in bitterness, it is not overwhelmingly sweet, making it a thoroughly drinkable beer for the season.
- Old Godfather : Re-emerging from the shadows, Old Godfather is the first of the Infamous. Old Godfather pours a light amber with a beige lacing. Aromas of fresh pine and citrus dominate, giving way to deep flavors of nutty maltiness and burnt caramel. A spicy hop bite of citrus peel rounds out the rich mouthfeel. Bittersweet English malts and cut-throat West Coast hops make Godfather a barley wine that is not to be taken lightly. This re-release of Old Godfather is the first vintage of its kind. As a brazenly robust brew, Old Godfather will benefit from years of cellaring, developing new refinements in character over time.
- Cosmic Distortion : Double dry-hopped with 6 lbs per barrel of Galaxy and Mosaic, this is our hoppiest IPA ever. It’s a juicy, hazy, dank double IPA with notes of passion fruit, mango, pineapple, starfruit, papaya, and tangerine.
- Midnight Due Dark Sour : Aged in Retribution bourbon barrels. This light/medium-bodied barrel-aged kettle sour combines the tart, stone fruit esters of Sour Me This, [sic] with the vanilla, charred oak, caramelized sugar, and dark malt notes of Retribution. Now pop that top, and ... Embrace The Darkness.
- Éponyme : A blend of several batches, barrels, small oak tanks and years of wild brown, amber, and Bier de Garde, this was further conditioned on toasted Maple wood with a small amount of Maple syrup. Semi-sweet and balanced wood character marry with a medium acidity and complex fermentation character.
- W4 Gose : Subtle lime and floral notes from the hops combine with light citrus flavors imparted by the coriander and deep minerally water profile to make this complex but crushable Gose. Drink with oysters and/or seafood.
- ¡Holy Mole! : Blending the base ales of our Viva Habanera and Taza Stout into a sour mash bourbon barrel, we created this Holy Mole marriage. Barrel-aged for ten months and then infused with fresh Taza Chocolate cacao nibs and habanero peppers, this complex blend features hints of bourbon, tangy pepper, rye, spice, bitter chocolate, dark fruit, honey, and dry oak.
- Boysenbarrel : Fruited Mixed Culture Red Sour
- What She's Having : Who says a "girl" beer has to be sweet, fruity, or pink? Our bold, DIPA is loaded with Mosaic, Columbus, and Cascade hops for notes of rich tropical fruits, dank resinous pine, and bright refreshing grapefruit. Are you woman enough to handle this?
- Riesling IPA : A bright and flavourful IPA created with Australian Vic Secret and Galaxy hops. Fermentation of this beer is finished with the addition of Riesling Grape must which lends a delicate white wine nose and fresh grape flavor combining beautifully with notes of stone fruit , citrus , melon and tropical fruit .
- Single Speed #8 - Vic Secret : Brewed specifically as a single hops series, with each batch showcasing a single varietal. #8 was brewed with AUS Vic Secret hops: described as pineapple, passion fruit, and pine.
- Moonlight Paddle Kettle Sour : This light-bodied Sour Ale has a tartness created by allowing lactobacillus to act on the wort over several days in the kettle. Italian Plums add to a fruity finish for a clean balance and a refreshing, drinkable beer! 
- Dark N Sour : The ultimate combination of sour cherries and dark chocolate, with a touch of sweetness.
- Black Caddis : The first beer we ever made and one we'll never tire of. A dark porter brewed with chocolate rye. The special blend of malt imparts a delicious chocolate, coffee-like flavor. Simple, smooth and delicious.
- Southsidenstein Stout : Fire Bad. Beer Good. This monster was created with some of the best chocolate and roasted malts to create the perfect blend of stout fullness and minimal fruity esters. This beer will have you trying to decide if you like the full mouthfeel or the myriad of coffee and chocolate undertones more. It will also have the other stout brewers gathering the torches and storming our door.
- Über Night Imperial Stout : Take a ride with our big, 10% ABV Imperial Stout. As you wait for your journey to begin, a dark espresso color and a body that clings to the sides of your glass will greet and welcome you aboard. Big notes of dark chocolate will linger on your palate and a perfect, boozy finish will warm your senses on the way down. Go big or go home!
- Spoiled Brat : Spoiled Brat is a highly carbonated "Lambic style" ale. We infuse pineapple and ginger with champagne-like yeast, then slightly hopped for a mild fruity Island flavor. Served in a champagne flute, it’s called our “Tropical Beer Mimosa”, and is sure to please.
- Copper Legend Octoberfest : Ancient timelines talk of dark days, plagued by hardships and Kingdom demands. When hope was all but lost, a legend emerged. A plumber. With copper pipes and an uncanny wit, he battled fierce foes and saw to the brewery’s opening. Our Octoberfest is malty, smooth and exceedingly drinkable. It is perfect to celebrate and honor today’s legends. We use locally grown wheat from MA, Munich malt and noble hops.
- Board Shorts : Grab your sunscreen and ride the waves with our latest project with Evil Twin! We took the base recipe of our first collaboration, Trillikini, and ramped it up with a higher gravity malt bill and a massive dry hop of Citra/Amarillo/Mosaic! Board Shorts IPA is loaded with hop-driven flavors of grapefruit pith and bright stonefruit. The soft mouthfeel is complimented by fluffy oats and a dry, rustic graininess. Clean and crisp with firm, balanced bitterness. No lifeguards on duty! 
- Haunted Stars : Haunted Stars is an 8% ABV rye imperial porter rocking a chewy, chocolatey, spicy malt character that coats the mouth and warms the cockles. It starts off rich and full-bodied, with a velveteen texture and creamy dark chocolate flavor, and finishes with a lingering rye spiciness and pleasing earthiness.
- Cogfather Imperial Stout : This easy-drinking (OK it's around 9 percent so maybe easy-drinking in a relative sense) stout has tons of malty richness. It has a wonderful roast coffee aroma and flavor along with chocolate and dark fruit notes. This is a great beer to serve with dessert, or better yet, make it the dessert by pouring it over vanilla bean ice cream.
- La Fayette Von Blanc Chardonnay Barrel-Aged Saison : This Belgian-style saison, or farmhouse ale, is aged in chardonnay barrels for five months. It is brewed with a Belgian saison yeast strain which brings out the citrusy aroma of the hops and adds a fruity, light spice and pepper notes. The beer is light with a silky mouthfeel and a dry finish. It has a complex flavor that is perfect for drinkers who think they prefer wine over beer. This elegant beer clocks in at 6.4% ABV and is named after the farm where the grandfather of our Head Brewer, Ty Weaver, used to live and brew beer.
- George - Calvados Barrel Aged : This one is oily and greasy as the day is long. The regular beer George! is named after George Foreman and is a black fat punch in your face. This version has been aged in old Calvados barrels which has given the complex beer an extra level of complexity!! That is a lot of depth dude!
- Wild Beary Sour Ale : So fruit-tastic it’ll make your head explode... from all that tarty goodness that is. Packed with a blend of passion fruit, guava, mango, apricot, and strawberry. Bursting with so much tarty flavor we could bearly contain it. So we've canned it and passing along the deliciousness to you.
- Midnight Mild : A medium strength mild with a real fullness of character and flavour. Dark and subtle.
- Blackberry Wheat : A uniquely light and refreshing fruit beer with a crisp clean flavor.
- First City : An ode to our home, Monterrey is a city of "firsts". While this certainly isn't the first IPA ever brewed here, we wanted to make a West Coast IPA that represents our love of hops as much as our love for our community. We think you'll enjoy Citra's tropical, fruity notes with a simple grain bill, moderate bitterness and dry finish.
- 05.05.05 Vertical Epic Ale : A new Vertical Epic will be released every year, with the goal being to collect them all and have a Vertical Epic tasting once the final Epic is released on 12/12/12. Each new Stone Vertical Epic Ale will be release one YEAR, one MONTH and one DAY apart. This time around, we used no spices in the brewing of this beer. If you've tasted the beer before reading this, that may surprise you. The special Belgian yeast we used adds a distinctively spicy aroma and flavor. Roastiness, clove, hops, fruitiness, and those other great and funky phenols abound in the nose. What's in the flavor? You certainly get some dark roasted malts and alcohol overtones. What else? Hints of earthiness, chocolate/cocoa, hop spiciness, maybe even anise, and ... the incredible variety of complexities from the classic brewing ingredients of barley malt, hops, yeast and water, when applied with an artistic brewer's talent never ceases to amaze.
- Iron Rat Imperial Stout : Iron Rat is a roasty, full bodied Imperial Stout. Visually, this beer is an obsidian black with a beautiful graham cracker head which should be worn proudly on the top lip. Iron Rat's aroma presents hearty roasted coffee, dark chocolate, dark fruits and a touch of molasses. On the pallet this imperial stout immediately showcases espresso notes and a bakers chocolate with a velvety mouth feel that keeps you lingering for more.
- Baladin Nora : This Egyptian inspired brew is spiced with ginger, myrrh, and orange peel ... very complex.
- Nut Brown Ale : The Brown Ale style originated in the pubs of England, where beer drinkers desired a beer that was both flavorful and complex, but at the same time mild enough to be a session beer. The Santa Fe Brewing Company's interpretation of this style uses a combination of high mash temperature, hard water, and low-alpha acid hops to produce a product that is both true to the style and distinctly Santa Fe. Brewing jargon aside, Santa Fe Nut Brown Ale is an easy-drinking beer, mild, smooth, and always a favorite.
- The Gomez : Coal black color, grolled pineapple aroma, dark chocolate orange flavor, full body.
- Northwest Red : A Northwest American-Style Red Ale with deep red color. Big malty aroma with hints of caramel, slightly roasty. Aroma is balanced with citrusy American hops. Flavor comes through as a nice balance of specialty malts, NW hops, and a firm bitterness. Medium to full bodied mouthfeel. Finishes fruity, hoppy, and slightly sweet.
- Moroccan Brown Ale : Rock the Casbah! Moroccan Brown Ale is a full-flavoured American style brown ale with a Moroccan accent. Inspired by the flavours of the Maghreb region of North-West Africa, this unique brown ale is made with dates, figs, raisins and a dash of cinnamon. It is unfiltered and naturally carbonated and has all the complex flavour and bouquet of a fine red wine with notes of plum, brown sugar and dried fruit.
- Wilshire Wheat Ale : "A refreshing brew made in the American wheat beer style with wheat and pilsner malts blending perfectly in this light, creamy ale. The malted wheat gives this beer a surprising complexity, while imported European hops give it a pleasing finish. The wheat is a stand-alone beer, or have a pint with our Turkey Sandwich."
- Mexican IPA : A hoppy full-flavored ale similar to an American IPA in hop aroma and flavor, but without the perceived bitterness. Mexican Key limes have been added to the brewing process to accentuate the citrusy aroma from the American hops while balancing the bitterness with the sweetness of the limes. Lime peel and leaves are added to the boil to create a more complex citrus character. This a new, inventive style of beer, the Mexican IPA.
- Brooklyn Winter Ale : Brooklyn completely changed the recipe in 2006. It’s now a Scottish-style ale. Brewmaster Garrett Oliver explained to us that: “There are no spices at all. Good British floor malts and hops along with our yeast strain account for all the flavors. It has a Scottish-style cooler fermentation, which pushes malt to the forefront rather than fruitiness.” It was brewed with Scottish Floor-malted Maris Otter, English crystal malts, Belgian Aromatic malt, American roasted malts, American oats and hopped with Willamette.
- El Locuelo Pomelo : Ale brewed with grapefruit, kaffir lime, juniper and lemon grass brewed in coloration with Magic Rock.
- Rubia : Brewed with oats, wheat, and pilsner malt. A light hybrid beer with a slightly fruity flavor.
- Urban Hops : Bursting with mango, melon and tropical fruit aromas. Thick and juicy with gentle bitterness. A light malt body allows the citra hops to take center stage in this world renowned new approach to a pale ale.
- Black Hops : A Cascadian dark or black IPA. Adding the majority of the dark grains at the end of the mash gives black color without all the roast flavors allowing the hop flavor to come through. 8 hop additions including mash and first wort give this dark brew a big hop aroma and flavor.
- Coastal Dark Ale : Our version of a Cascadian Dark Ale brewed with all whole leaf hops from the Pacific Northwest. Patagonia perla negra give it a black color and soft roast flavor.
- Supermassive : Dark sour beer aged in oak barrels with currants and blackberries.
- Hop Light : This beer is light bodied with significant hop presence. We use Nugget and Cascade hops which give the beer a refreshing grapefruit flavor. A great treat for these warm months.
- Artio (Raspberry Sour Belgian Brown) : Inspiration for our third bottle release came in the form of the Celtic goddess, Artio. She assumes the form of a bear, and holds fruit and grain sacred. With this in mind, we created our barrel-aged Belgian Brown Ale. After going through primary fermentation with a house Belgian yeast strain, it was lovingly aged in a 500L merlot barrel. We added a proprietary blend of 5 Brettanomyces strains for its secondary fermentation, then added grains of paradise, cinnamon, and almost 60 pounds of fresh raspberries! The result, four months of aging later, is a beautifully complex and refreshing beer.
- Golden IPA : In the image of an English IPA, Legend Golden is a big, full-bodied brew with the perfect balance between malty sweetness and hop bitterness. Years ago, as an experimental brew, this underdog of a beer found its way into the hearts of Legend patrons and became a cult classic in Richmond. Legend Golden has been described as a "high class malt liquor" by a notable source. This strong ale sports a rich gold color, an aroma of sweet malt and clean hops, and an earthy, fruity flavor.
- Jopen Koyt : Jopen Koyt is a gruitbeer (herb beer) that is brewed according to the bierkeur (city recipe) from 1407. The beer is brewed with malted barley, malted wheat and oats and has a malty taste with a smooth herbal finish. The aroma has a hint of herbs and spices mixed with dark malt. Jopen Koyt is the only gruitbeer from the Netherlands. Gold medal winner at the European Beerstar competition in 2009 and a silver medal at the European Beerstar Competition in 2011.
- Sour In The Rye : We brewed this ale with around 40% rye as a base malt and let our sour yeast and bacteria eat away at it in oak barrels for over a year creating a sour ale with a complex character of rye spice, oak and a subtle funk.
- Bright - Simcoe & Amarillo : This batch of Bright was created to be a clean and elegant showcase for a pair of our favorite American hops - Simcoe & Amarillo! It is crafted with a simple malt bill and fermented with clean American Ale yeast to create a flavor profile that is more a function of its vibrant fresh ingredients than an expression of yeast character. Bright w/Simcoe & Amarillo’s aroma is a bounty of citrus, fruit, and pine. The taste follows suit with notes of tangerine, grapefruit, and sticky hops with a gentle orange rind finish. She is dry, soft, and adequately bittered resulting in a very approachable yet intense Double IPA... classic, delicious, and perfect for this hot weather!
- Huck Yeah! : Every summer in small Western Montana towns, locals gather and talk in hushed tones about secret "discoveries" and "motherlodes" in them hills. In the Treasure State, the prize they whisper of is gold, but not the bright yellow stuff. This is purple gold and equal in value: wild Montana huckleberries. In July, hunters brave ravenous grizzly bears and would-be claim jumpers to gather these precious gems clinging to steep mountainsides. We are very fortunate to have friends in Montana who hand pick wild huckleberries and drive 1300 miles to Barrelworks so that we may turn this precious cargo into liquid gold. Huck Yeah! is a wild ale fermented with wild Montana huckleberries. It's bursting with fresh bright fruit flavor and aroma, rounded out by earthy funk, sumptuous oak and mouthwatering acidity. Delicious? Huck Yeah! A santé!
- Ruffled Feathers IPA : Ruffled Feathers is our attempt to spread our wings and try a new flight path with a luscious, fresh-pressed texture bursting with juicy tropical notes and just enough bitterness to finish clean and crisp. Flavors of ripe mango, bright citrus, and stone fruit from a generous hopping of El Dorado, Azacca, and Eureka hops give this surprisingly hazy IPA a brilliant clarity of flavor.
- Plattelander : Plattelander is our nod to belgian style saisons that are great to crush on a hot summer day. A lawnmower beer for the sophisticated, this easy drinker is brewed with the finest european pilsner malts, wheat and oats. Finished with american Sterling hops, Orange peel and black pepper, this delightful little monster has a dry, fruity and spicy finish that will make you beg for more.
- Ode To The Afternoon Crew : Cream Ale brewed with North American 2-row and 6-row barleys, Rice, Rye, and locally grown and malted corn. We fermented with a clean ale yeast and then lagered the beer for 4 weeks. "Ode" lovingly tiptoes the line between a fruity ale and a crisp clean lager. Perfect for your late summer enjoyment!
- Hustle : The waning days of summer have us thinking about more comforting beers, and Brendan’s latest effort on the 5 BBL fits the bill perfectly! Hustle pours a dark mocha color in the glass with a deep brown head, emitting rich aromas of chocolate, brown sugar, and even a hint of smoke... The bold flavor evolves beautifully in the glass buoyed by a lush mouthfeel - we taste fudgey chocolate, cocoa powder and robust roasted malts balanced properly by an assortment of sweet dark fruits. We imagine this one to be the perfect accompaniment to a late night by the fire with friends. . . A small yielding small batch - enjoy it while it lasts!
- Funny Trees Mango Brett DIPA : A Double IPA brewed with Citra Lupulin Powder and re-fermented on Mango purée, Funny Trees features a fruity and slightly funky fermentation character provided by Brettanomyces. 
- CitraSqueeze India Pale Ale : The luscious aromas and flavors of mango, grapefruit, orange, and melon make this juicy IPA one that begs you to enjoy more than one.
- Table Beer : An elegant balance between mild bitterness from the hops, clove and slight fruit notes from the yeast, and minerality from the water profile.
- Celtica : A refreshing contemporary cask conditioned golden ale full of citrus taste and aroma. This ale is brewed using a single pale ale malt giving at a lovely golden colour. Citrus flavoured hops are used during the boil to produce an intense fruity flavour which is often enjoyed as a more flavorsome alternative to lager.
- Caesar Rodney Golden Ale : Maris Otter malt from the UK gives our Ceasar Rodney Ale its beautiful golden color. This malt has a uniquely rich flavor profile. Well balanced with Cascade hops, our ale has a creamy texture and a slightly nutty or biscuit taste with a mellow finish. A thick, rich, foamy head caps the rich golden body and leaves a Brussels lace in your glass.
- Country Common : Brewed exclusively for Izakaya Meiji and Agrarian, this is an original American Lager. With organically grown Abenaki heirloom corn and organic Pils barley malt for a slightly rich cereal flavor profile, we use a sour mash technique to create crisp acidity which balances this sweetness. The fermentation reflects the term "Common", meaning a rustic, warm, uncontrolled fermentation with a lager yeast; this contributes fruity ale-type flavors to the front of the palate while keeping the finish crisp, clean, and dry. Nugget hops from our farm add firm bitterness to the otherwise soft beer, but contribute little flavor or aroma. Inspiration for this beer was gleaned from historical American frontier beer, where refrigeration technology was non-existent, and ingredients were location-dependent.
- Bourbon Barrel-Aged 120 Minute IPA : Full-bodied and complex, this beer takes the fan-favorite 120 Minute IPA to the next level, aging it in bourbon barrels for seven months and then dry-hopping it with a boatload of high-alpha American hops. Clocking in at 17% ABV, it’s jam-packed with barrel notes, and boasts an abundantly fresh hop flavor and aroma.
- Brake Czech : This is a traditional Czech Style Polotmavý Ležák. Which translates to half dark lager. With the common abv strength for session-ability and malt complexity. Cheers!
- Total Blackout : Imperial Cascadian Dark Ale made with hops picked during the 2017 Solar Eclipse at Goschie Farms in the Willamette Valley.
- Old Man Oatmeal Stout : A creamy unfiltered oatmeal stout with roasted and black patent malts shinning through. Complex, medium to dry palate with a bittersweet finish.
- Cogsman Ale : Deep golden in color. Clean, crisp, ale hopped with traditional English hops. A slight fruitiness gives way to hop assertiveness.
- Quawpaw Quarter Porter : Named after Little Rock's historic section of town, this porter gets its dark, rich reddish-brown hue from a combination of crystal and chocolate specialty malts that give it a full-bodied malty flavor and aroma.
- Farmageddon - Niagara Montmorency Cherry : A special edition of our Farmageddon brett saison, this version was aged on Niagara Montmorency cherries. Combining an already delicious and refined saison with fruit is a no-brainer, but we worked to make sure the balance was just right – neither the beer nor the cherries overpower the other, and together they work in perfect harmony. It’s a brett beer, not a sour, and the fruit is a subtle counterpart to the dry saison.
- Hop Swap : Each year we change the hops in Hop Swap to showcase new and unique flavor and aroma characteristics. In this release, bold citrus and ripe melon are accompanied by passion fruit and subtle mint.
- 144 (Code Name: Juicy Fruit) : Hello gorgeous! Light golden orange in color. Bright and brilliant hop flavor and aroma — grapefruit, orange, a touch of lemon-lime, floral, juicy fruity awesomeness. This beauty of an IPA has just the right amount of that addictive hoppy bitterness that we all love, while the slightest hint of candy-like sweetness from the malt rounds it all out. Oh yeahhhh…
- Blazing Barrels Mild Ale : A dark, low-gravity. malt-focused British session ale readily suited to drinking in quantity. Refreshing yet flavorful, with a wide rage of dark malt or dark sugar expression.
- Scallywag Extra Pale Ale : Our Extra Pale Ale is brewed with real Almonds. The subtle complexity of flavors between the five different malts, almonds and East Kent Goldings hops is one of the reasons Scallywag recently won Best Brew at the Gastonia Brew Festival.
- Bayern Oktoberfest Lager : Bayern Oktoberfest is the classic Bavarian Dark Märzen: not too sweet yet malty with a nice hop flavor. This beer is brewed with Pilsener, Munich and German Dunkel malt. The hops for this special brew come straight from the Hallertau region in northern Bavaria and the finishing hops are Saaz from the Czech Republic. Bayern’s fastest selling seasonal specialty beer, this beer is not just called Oktoberfest, it is Oktoberfest beer. It is brewed according to the standards of the Brewers’ Guild of Munich, which was established in 1815 when they brewed this beer for the first time to celebrate the royal wedding of King Ludwig I and Princess Maria Theresia.
- Scientific Series: Flanders Style Red Sour : The first sour beer offering from the Surf Brewery® Scientific Series™. The culmination of close to three years of barrel aging in French Oak and artful blending has resulted in this bright, Belgian Flanders style red ale. An elegant reddish-brown hued liquid releases a bold tartness in both aroma and flavor that is complemented by crisp oak tannins and roud fruitiness characteristics of this style of traditional sour ale.
- Rise & Pine Hoppy Dark Ale : Juniper and piney hops build the framework for this bold dark ale. With its assertive bitterness and sweet malt finish, this beer stands tall above the rest.
- Roggenbier : According to German tradition, we brewed this ale as a farm in the mother country would have done in old times. Since Roggenbier is brewed with 50% malted barley and 50% malted rye, we faced the challenge of making our own rye malt. Using organic rye from Camas Country Mill, we soaked, sprouted, dried and kilned the rye malt in our wood fired oven. A house blend of two subtly fruity Bavarian top fermenting yeast strains did the real work for us, making us a bready bier with a chewy mouthfeel, distinctive toasty profile, and a spicy finish.
- Syrah Barrel-Aged UltraViolet Blackberry Sour Ale : UltraViolet was tucked away in 6-year-old Syrah red wine barrels for 9 months. The flavors of oak and ripe fruit meld with the sour blackberries for a delicious flavor.
- 1901 : Wake up and smell the porter! 1901, our Coffee Porter features a cold brew coffee locally roasted by J. Rene Coffee Roasters. This medium bodied brew hits you immediately with a rich coffee aroma. Slightly sweet hints of chocolate and toasted malts, and subtle undertones of fruity sweetness from the unique blend of Sumatra Gayo OrangUtan coffee are balanced by a hint of lingering bitterness—combining into an unexpectedly smooth brew.
- Cream Ale : This pale golden beer is brewed with an ale yeast and conditioned with a lager yeast. This creates a light body with a smooth malt character and a clean finish that is mildly fruity.
- May The Schwartz Be With You! : A German Dark Lager with roasted barley to give it a nice coffee aroma. This beer is made with traditional Noble hops and Bavarian lager yeast that makes it a very smooth drinking lager.
- Dopplebock : Our version has a very strong maltiness, with very little to no hop aroma. There are very toasty notes in this darker bock version. The mouth feel is full bodied, with moderately low carbonation. This beer is available late in the year until early spring. It is definitely a winter warmer. Doppelbock is brewed especially for those that love a nice roasty beer, through and through.
- English "Old-Style" Ale : This is a medium-bodied dark and vinous ale, similar to the style of "old" traditional ales that the British pubs have been making for centuries. Toffee and roast malt in the mouth, with a deep bitter finish.
- Amber Ale : Our flagship Teton Ale is a full bodied, American-style amber with a rich copper color which comes from the roasted Crystal and Munich malts. We use Cascade and Galena hops to achieve the unique, fresh flavor and robust finish that is long and complex on the palate.
- Ronaldo (2016) : Dark Lord aged in barrels soaked in Madeira, a fortified Portuguese wine, with tart Michigan cherries
- Crystal Norde : From the realm of darkness, from the landscape of dreams, Crystal Norde is the baltic porter for your fortress of solitude. We channeled some mystic sorcery with this beer, with the proof being in the porter. Roasted up then lagered out for the long haul, this 7% palace of porter hits all the right notes.
- Belle Blonde : Sunglow color, fruity bubblegum aroma, soft estery malt flavor, sparkling body.
- Grapefruit Pale Ale : This rosy pale ale arrives like a warm ray of sunshine on a cold fall day. A considerable dry-hop of Simcoe and Amarillo elevates the grapefruit to extraordinary levels, reminding us of summer brunch and picnics in the park.
- Liliko'i Kepolo : Belgian Wit brewed with Passion Fruit
- Torpedo Extra IPA : From the brewery ... Sierra Nevada Torpedo Ale is a big American IPA; bold, assertive and full of flavor and aromas highlighting the complex citrus, pine and herbal character of whole-cone American hops.
- True North Copper Altbier : An ultra-premium all-malt and traditional German-style ale at 5% alc./vol. Deep copper to light brown colour with an aromatic focus on malt elements of fresh baked biscuits and toast. Malt initially dominates the palate with typical Altbier flavours of biscuits, followed by an intense yet pleasant hop bitterness. A slightly dry body and reduced ale fruitiness is achieved by extended deep-cold aging. Can be served with beef soups, spinach salad, roast chicken, pork tenderloin, falafel, chocolate cake, and smoked cheeses.
- Third Stone Brown : A myth shattering ale that proves all dark beers don't have to be filling. Sweetly smooth with nutty hints of roasted caramel flavor. Brewed with American, Canadian and English grown barley and American hops.
- Nut Brown Ale : Like the rich, dark brews of southern England this traditional ale draws on specialty malts such as chocolate, caramel and black patent. “Nut Brown Ale” is a deliciously flavourful dark beer like those popular in early Nova Scotia.
- Scratch Beer 133 - 2014 (India Pale Lager) : Scratch #133 represents our first-ever IPL (India Pale Lager), a relatively new hybrid beer style combining lager yeast and cold fermentation with an assertive hop bill. We begin with a Helles Lager base using our house lager yeast strain, which represents the “Lager” characteristics of the beer – crisp body and mouthfeel with a sturdy malt backbone. The “India Pale” traits are a result of the copious amount of hops used in the recipe. Nugget hops, a tried and true variety used frequently at Tröegs, provide the green, leafy bitterness found in Scratch #133. We then dry hopped the finished beer twice – first with Summer hops, a new hybrid variety from New Zealand, and then with El Dorado, an extremely versatile and complex variety. The result is a Scratch Beer that combines the best of both worlds and poses the question: “Do you want more hops in your lager?” Answer: “Daaamn right!”
- Dark And Lusty Stout : IV Stout is a very dark, top fermented beer made from pale malt, roasted unmalted barley and a caramel malt.
- Saratoga Witbier : Light beer with coriander or bitter orange peel spices added, giving this beer a slightly fruity flavor.
- Anniversary Saison : Beginning with the fifth anniversary of the brewery in 2014, an anniversary saison will be released annually. It combines gin and wine barrels with light use of apricots in a cascade hopped brew, combining elements we love to produce a dry, snappy, and complex profile.
- Pride & Joy : A classic, American style pale ale. Our Pride & Joy is pale, crisp, very hoppy and aromatic. Robust hop flavours are layered over a balanced malty backbone. Initially soft to the palate, Pride & Joy builds to a generous but clean bitterness. Flavours and aromas of mango, citrus, earthy pine, tropical fruit and blueberry.
- Hofbräu Dunkel : Our dark lager. It has a light body, is easy to drink, with simple roasted malt flavor and slight caramel undertones.
- Noir Du Fermier : Noir du Fermier is a dark farmhouse ale in which the robust, yet dry malt bill is balanced with the brightness, depth and rustic character of the wild Brettanomyces and Lactobacillus found on our family's Missouri farm. This farmhouse ale was fermented in and aged in red wine and bourbon barrels for several months before being naturally conditioned in the bottle.
- Mog - Black Raspberry : Our series of wild ales fermented on a "second pressing" of fruit from various sour or brett beer bases (beers like Farmageddon, Barn Owl, or Motley Cru). The resourceful process allows us to take advantage of fruit we've already utilized once in our barrel aged beers, but that still has flavour, wild yeast, and bacteria left to impart. MOG is the younger, slightly unpredictable, and experimental second generation. Expect lots of variation and always a hint of fruit!
- Cantillon Super Blend : For our 20th anniversary we asked Jean Van Roy at Cantillon to make a special blend for us. This time we wanted something spectacular without fruit. Something hat would age beautifully in our cellar and that we can enjoy in 20 years from now. This is a blend made of 75% 30-month old Iris and 25% 44-month old Grand Cru Bruocsella styled lambic. We hop that this beer will continue to develop and mature over the years to symbolize the progression of Akkurat and our friendship with the beautiful Cantillon brewery.
- Clipper : E.S.B brewed entirely with Maris Otter malt and Bramling Cross hops. Fruity and winelike on the nose with notes of over ripe apples, biscuits, and faint herbal hints of rosemary.
- Sinister Kid : Malevolently dark in color, yet indulgently complex in character. This Belgian strong ale pours copper-brown with a delicate nose of spicy pepper, toasted malt, fig, raisons, and light earth. Peppery farmhouse yeast qualities continue on the palate with nuanced complementary flavors of semi-sweet caramel and dark fruit. The finish is deceptively smooth and moderately dry with a pleasantly warming hint of alcohol. 
- Scratch Beer 46 - 2011 (Naked Elf) : Naked Elf takes a hard look at the less-is-more theory. Ever since we developed The Mad Elf, we’ve speculated what it would taste like without the cherries and honey. So what lies beneath the fruit? Naked Elf is unfiltered, so the spicy yeast taste is more prominent in this strong, hazy orange ale. The combination of the Pilsner, and Vienna malts give a lot of body and minimal sweetness, but Naked Elf has a dry finish. Finally, the heat of the alcohol makes its presence known in the finish. The Naked Elf’s finest quality is the delicate balancing act between a lively yeast kick and a slight alcohol note that lingers in the back of the mouth—constantly reminding us not to overindulge in this complex, warming elixir.
- Pub Crawl : This crisp, sessionable pale ale is brewed with a combination of hops: Centennial at the beginning of the boil for bitterness, and Amarillo and Galaxy at the end for the bulk of the flavor and aroma. Two Row Pale and Maris Otter English Pale malts give the beer a slight color and tiny amount of sweetness. Golden naked oats malt lend a nutty, more full-bodied flavor, and the London III yeast accentuates the hop flavor and aroma. It's perfect for enjoying throughout a Pub Crawl.
- Propeller London Style Porter : This beer style was created in the mid-1750's. A dark full-flavoured beer but smoother and less bitter than stout. Made with softened water, Propeller London Porter is a blend of pale, roasted and chocolate malts, hopped with English and North American varieties.
- Brick Waterloo Dark Lager : Looks dark, tastes light. It's Ontario's favourite dark lager. A dark beer that is slowly brewed with Canadian grown malted barley, specialty coloured malts, imported hops and pure cultured brewers yeast.
- St. Louis Gueuze Fond Tradition : St-Louis Gueuze Fond Tradition is a pure traditional gueuze aimed at connoisseurs. It has the pure taste of a true gueuze based on a blend of young and old lambics. Fruity apple aromas stand out. When tasting, the slightly sour touches, characteristic of lambic beers, make their presence felt. It is very dry in the finish.
- Brewer's Alley Owen's Ale : This is a classic English Bitter. It is well balanced and has a light hop and malty aroma. The color is somewhat darker than that of pale ales, leaning more towards ruby red. Light in body and alcohol and easy to drink, this beer is one that can be consumed comfortably throughout a long evening at the pub. Owen's Ale won a Silver medal at the Real Ale Festival 2001, in Chicago, Illinois.
- Schell's Snowstorm 2015 : The Snowstorm of 2015 draws inspiration from the artisanal and experimental traditions of the Wallonian brewers to create a malt-focused brown ale with hints of nut, biscuit and stone fruit.
- Schnickelfritz : Pennsylvania German’s translate “Schnickelfritz” to mean a Nix Nux, or a naughty rebellious child who is always getting into trouble. That sums up our family here at Saucony Creek, so in honor of our Pop-Pop’s chocolate covered cherry addiction during the winter months we brewed an Imperial Chocolate Cherry Milk Stout. Schnickelfritz is brewed with dark caramel malts, chocolate malts and lactose to create a smooth creamy mouth feel. Milk chocolate and real cherries are added for a winter warmer treat.
- Bourbon Barrel Aged Passion House Coffee Porter : A dark, malty robust porter brewed with cold pressed coffee from Guatemala Puerta Verde beans, roasted by our friends at Passion House Coffee Roasters. We took this complex brew and aged it in Woodford Reserve Bourbon barrels for 5 months, enhancing the vanilla and caramel flavors of the brew.
- Totalitarian : Built from the backbone of Stone's classic Imperial Russian Stout, Stone Totalitarian Imperial Russian Stout certainly celebrates the hallmarks of the style - it pours jet-black with a fluffy chocolate head and tastes of deeply dark fruit flavors with rich chocolate and coffee overtones. Yet, however old world in nature, this particular rendition of an IRS is flavored with new world hops, intensifying its berry flavors and aroma while subtly introducing a juicy melon undertone. The result is a spectacularly sinful delight. Don't say we didn't warn you, comrade.
- El Niño Blonde : Straw yellow in color, our house Blonde ale is packed with characters of honey wheat, fruit ester, floral hops, and cracker grain. This blonde is light and approachable with thirst quenching crispness.
- Shiner Dunkelweizen : Also known as Shiner Dark Hefeweizen
- Calimost Gose : For us, this Old World-inspired beer is mile-zero - the point at which we spin the needle on the compass and follow at will. From western shores to sunshine states, this Gose takes its promised-land inspiration. Brewed with tart grapefruit, sweet honey and balancing Mediterranean sea salt, Calimost is eternal summer in a bottle. Cheers to moving until direction is found.
- Viennese Lager : Full bodied Vienna Style Lager - A result of combining fine Pilsener and dark roasted malt. Slightly more hoppy than our other beers.
- Cherny Bock : The word Cherny litteraly means ‘black‘ in Czech referring to the color of the rather surprising dark Schwartzbeir with gentle bitterness to appeal your palette. A true gem to be discovered by specialty beer lovers.
- S:t Eriks Session IPA : Malts: Vienna, pale cara, dark cara. 
- Superpower IPA : West coast style IPA with loads of pacific northwest hops. Huge pine and grapefruit hop aroma, with flavors of citrus, balanced bitterness with a light malt character.
- Yozakura : A highly fruited Belgian Quad fermented with sake yeast, this 11% behemoth is packaged in 22oz bombers and represents the celebration spring and the bounty it brings. Willow Rock and Stout Beard drew inspiration from the accord between Tokyo and Washington, DC that is celebrated today with the blossoming of the spring cherry trees.
- Snow Hands : The cold weather "sister beer" to our favorite summer refresher Sun Hands, Snow Hands is our big, deep amber trappist-style Dark Strong Ale brewed with dark candi syrup and a variety of toasted malts, then spiced after fermentation with foraged spicebush berries & fenugreek seed and dry-hopped with a variety of tasty hops.
- Bavarian Hammock : "Hoopfenweizen" - Honeycomb color, citrus-clove aroma, spice and fruit flavor, medium-light body.
- BQE : The BQE is our Brooklyn Queens Espresso imperial stout. Cocoa nibs from the Brooklyn based Mast Brothers and Coffee from Queens based Native Coffee Roasters were added to the boil making for a super complex tasty brew.
- Death By Coconut : Intense fresh cacao flavors swirl with popping coconut aromas, all supported by a semi-sweet porter made from loads of dark chocolate and extra dark caramel malt. This limited release specialty comes around once a year to satisfy that sweet tooth, so get 'em while you can before they disappear. At 6.5% ABV and 25 IBUs, this choconut goodness will have you yellin' "Pass. Dash. Hit." all winter long.
- Kompromat : In Russian politics, the technique of Kompromat was perfected by the KGB. By gathering compromising materials about a politician or public figure, they were able to threaten blackmail and ensure loyalty. The juicy and fruit forward character and low bitterness is a big departure for our brewers. If you enjoy it don't worry. Your secret is safe with us.
- Art #18 : Oak aged blend of Berliner Weisse beers & brett beers. 25% raspberry berliner (Art 5.5), 25% Somer Weisse, 50 % brett ale, 100% barrel aged. Sour, fruity and citrusy!
- Ormeau Dark : The winner of our third Troublemaker competition, Ormeau Dark was the work of soon-to-be husband and wife team Chris Todd and Moira Lewis. This rich and dark stout was brewed with cocoa in the boil to give the beer a cappuccino twist.
- Archfiend : Bold, big, and beautiful, this double IPA explodes out of the glass with grapefruit, orange peel, mango, papaya, and pine. Coupled with a balanced body and a dry, bitter finish this IPA is perfect for those who love their hops and love them to be on display.
- Hop Tropic : Hop Tropic is a light, refreshing pale ale that edges into IPA territory. With a nose of passion fruit, grapefruit, guava and tangerine, Hop Tropic has a medium-light mouth feel, with a little caramel and a creamy body to support the hop profile and balance the finish.
- Idiot's Drool : Idiot's drool is Blithering Idiot barrel aged for 4.5 years. A full-bodied, deep burgundy ale with an incredibly complex character. Extended aging has imbued this beer with notes of vanilla, oak, leather and sweet sherry. A mild acidity and subtle carbonation rounds out the palate. 840 bottle brewery only release.
- Ridge Runner : "Robust, Dark and Smooth, hold on to your hat cause you’ll lose your feet on this one!" Brewed with pale, dark crystal, Munich, flaked barley, black and chocolate malts. Hops include Cascade, Crystal, Challenger and Perle.
- Green Earth : Green Earth is our newest American Pale Ale made in the same obsessively aromatic style as all of our hoppy ales. Brewed with rye, oats, and Munich malt, this beer emanates the depth of our beloved American hops...Simcoe and Citra in this case. Massive flavors and aromas of intense fresh pine, juicy, resinous grapefruit and mango, fresh-cut grass, and deep, dank, earthy orange flesh. 
- Dunkelweizen : Six Row’s Dunkelweizen is a gorgeous mahogany colored wheat beer with a rich melanoidin character from Munich malt. It has a slight spicy/fruity note which was carefully kept in check to maintain a nice balance with the malt. If a regular Weizen beer isn't quite interesting enough for you, this is a great alternative.
- Reef Donkey : Dry-hopped American Pale Ale that drinks like a session IPA. Motueka, Equinot, & Citra give this beer a lemon/lime aroma with a citrus/tropical fruit flavor. Reef Donkey is slang for the popular Florida game fish, Amberjack, which inhabit our coastal wrecks & reefs.
- Butchertown Belgian : Brewed in collaboration with Butchertown Grocery, this Belgian Dubbel uses their signature bourbon barrel aged peppercorns, grapefruit zest, and Guajillo chiles.
- NC Week's Work : A beer for all seasons, each day of the week, any time of the day! A pleasant nutty toasty and toffee aroma preludes a mild malty brew with a touch of chocolate. " Man was made at the end of the week's work, when God was tired" - Mark Twain
- Pisgah Valdez : This robust Coffee Stout is a mouthful of flavor! A dark, roasty grain bill stands as the backdrop for a galaxy of coffee aroma and flavor, made possible by local organic bean roasters Dynamite Roastery. A Pisgah fan favorite, Valdez is brewed bi-annually and never lasts as long as the flavor.
- DOPE-lbock : This warmingly boozy doppelbock will make you take your time drinking. An up-front caramel sweetness balances a robust fruity character reminiscent of strawberries, currants and cherries. Notes of warming ethanol throughout
- Heavenly Hefeweizen : I'm sure everyone here knows, Pittsburgh has some humid summers. What can you do to escape the heat and enjoy yourself? Well I've got the answer. How about a light thirst quenching Hefe Weizen (pronounced hefa Vite zen) in the cool environment of our Hop Garden patio. I can hear you wondering, what is a hefe weizen? Allay your fears my friends because I'm going to tell you. A hefe weizen is a special style of beer made with malted wheat and malted barley. Hefe weizens are from Germany. This beer is top fermented (an ale) with a very special yeast. The Hop levels are kept deliberately low in order to bring out the character of the yeast. If you notice the nose of the beer, it has a clove-like or fruity aroma. The grain bill includes 50% wheat malt and 50% barley malt. It is served very carbonated and a touch cloudy. It is cloudy because it is served unfiltered. The remaining yeast contributes flavor, adds B vitamins, and improves the beer as it ages. Selling points for the Heavenly Hefe Weizen are; 
- IPA : Our IPA is a modern take on the West Coast original. We add the majority of the hops late in the brewing process resulting in a huge hop aroma of citrus fruits balanced with herbs and pine. Flaked wheat and Optic malt add some complexity and body, but this beer is all about hop aroma and bitterness.
- Sauvin Nouveau (8,5%) : What do you get when you add freshly pressed Sauvignon Blanc juice to a pilsner wort, extravagantly hopped with Nelson Sauvin hops, and then ferment the resulting blend? Vin Nouveau meet Sauvin Nouveau in a vintage harvest pilsner of crisp and intense aromatic fruit complexity, where the flavours...
- Mosaic Sunrise : Brewed with 100% Mosaic hops and augmented by our new German-engineered hop extractor, Mosaic Sunrise IPA is an unsurpassed hoppy experience. Layers of tropical fruit & big, bright aroma create a refined and inviting Golden IPA. A new sunny day has dawned on EBC!
- Stonecutter Stout : Honoring the stone masons who worked on the State Capitol, the Hotel Fort Des Moines, and many of the other historic buildings in Des Moines, the Stonecutter is a complex and satisfying beer. The beer you need when you're feeling the need for restoration.
- Estrella Galicia : The perfection attained in the crafting of this beer is the fruit of experience transmitted through the years and constantly improved by four generations of the Rivera family.
- State Street Stout : Creamy and substantial, this brew is bursting with the flavor of dark roasted grains. Oats add a soft velvety texture that blends well with the distinct malty flavor. An excellent beer to finish any meal!
- Anton Francois French Ale : A clean, refreshing French Ale with a light malt and fruity arome, crisp malt saveur that makes its way to a slightly earthy, hop bitterness and bready malt fin.
- Chai Porter : Certainly a delightful beer on a cold winter day, but pleasingly approachable and enjoyable regardless of season or weather! Rich, round malty notes are sure to please those looking for a traditional porter, along with a surprisingly complex spice character for those looking for something unique. If you enjoy chai, this is a must-try!
- Mosaic IPA : Notes of grapefruit, peach, kiwi, pineapple, all fresh and wet but cut with dewy grass and just a hint of pinecone. The taste is slightly biscuity with a surprisingly assertive malt backing. A hint of stinging bitterness at the end.
- Appeasement IPA : American style India pale ale with blueberry and stone fruit hop flavors.
- The Rookie : The Rookie is an American Pale Ale made with Mosaic and Amarillo hops. Late-hopping results in emphasized tropical fruit notes, with malt complexity in the finish. This is a light, refreshing ale that merits several pints.
- Interboro / Outer Range - Madder Fatter & Steeper : Brewed with our homies from Outer Range Brewing Company, an Imperial version of our Mad Fat Steep brew from earlier this year. Pours pale golden yellow, with thin white head. Aromas of citrus, tropical pineapple, dank tangy fruit flavors with pleasant hop bitterness. Brewed with Dutch Pilsner, malted wheat & oats. Hopped with Galaxy, Citra, Vic Secret, and double dry hopped with Citra Lupulin Dust.
- Incorrigible : Incorrigible celebrates the beauty of mischief. Wild yeasts and bacteria run free in our sour-aging cellar, the House of Funk, creating vibrant sour and acidic character in this delicate, yet complex wheat beer. The refreshingly tart session beer will tease your palate with a subtle, layered nuance.
- Clocktower Maybock : This dark golden orange colored ale is a lighter form of a traditional bock.
- Clocktower The Porter : The porter is a dark brown sweet full-bodied beer. There is an initial citrus hop flavor right at the beginning which gives way to chocolate, caramel, and toffee flavors.
- Señorita, Horchata Imperial Porter : This beer pours a deep dark brown with a snow-white head. Aroma notes of Vanilla, Cinnamon and sweet milk hit the nose bringing up images of the delicious Mexican drink this beer is styled after. The beer hits the palate with Vanilla, sweet chocolate malts, and a hint of cinnamon; all with a medium body and a balancing hop bitterness. Enjoy this beer next to a roaring fire with your amigos in a cozy cabin after a long day of skiing the deep powder of the Rocky Mountains.
- St. Bretta Pomelo : Brettanomyces Citrus Wildbier features zest from Pomelo citrus, a varietal closely resembling a sweet grapefruit.
- Invisible Orange : This is Invisible Orange and it is a “subtly-fruited” Belgian-style porter that is age din French oak wine barrels for 18-months. Invisible Orange uses Chocolate malts, blood orange pulp an zest.
- 10 Lizzy : The Scottish were some of the first in the UK to brew lager beers. Prior to this, they brewed ales at lower than normal temperatures with small amounts of dark malts. The Scotch ale is a higher strength version of this type of ale with clean malt aromas and flavors and a touch of crystal malt. Malt sweetness dominates this beer’s flavor.
- Fred's Black Lager : A dark beer with a soft bite, Fred’s is brewed using a special de-bittered dark malt, fermented cold and lagered at least four weeks. A smooth very drinkable brew with light roastiness and a noble hop aroma.
- Old Bongwater Hemp Porter : Olde Bongwater Hemp Porter also won a gold & bronze medal at the 2008 & 2009 NABA brewfest, respectively. We add pelletized industrial hemp to our most notorious brew. Seasoned beer drinkers will detect a slight nutty or grainy flavor emanating from the approximately 1/2 pound of hemp seeds per 16 gal keg. This Porter is a rich, chocolaty, robust style porter.
- Camel City Session IPA : At 4.8% ABV, this juicy, easy-drinking session is the lightest member of our Camel City IPA family. Cascade, Mosaic, and El Dorado hops lend this beer a bold flavor and aroma, evoking pineapple and grapefruit. This session IPA makes a great adventure companion that won’t slow you down!
- Trade Winds : Our Summer seasonal, Trade Winds Tripel is a Belgian-style Golden Ale with a Southeast Asian twist. Instead of using candi sugar (typical for such a beer), we use rice in the mash to lighten the body and increase the gravity, and spice with Thai Basil. The result is an aromatic, digestible and complex beer made for a lazy summer evening.
- Black Friday : This Barrel aged Belgian quad has all the boldness and complexity you’d expect from the style. This rich malt driven beer has notes of dark fruit and caramel supported by yeast driven apricot and pear flavors, and complimented still by the oaky character of the brandy barrels it was aged in. This beer has a warming alcohol presence and a tart finish, and pairs well with venison, sharp cheddar, and Peking duck.
- Juicy Fruit : Juicy Fruit is a collabo with Weldwerks Brewing out of Colorado. This flavorful hazy IPA is brewed with Mosaic and Galaxy and fermented with guava, passion fruit and pineapple. The taste is gonna move ya!
- Hoppel : Hoppy Belgian Session Ale, hopped with Celeia, Pekko, and El Dorado, fruit esters buoy the resinous richness of hops.
- DryHop / Black Acre - $4,000 Suit : Come to DryHop in your $4000 suit? Come on!… In case you did, we teamed up with our friends at Black Acre Brewing to fancy up this Brut IPA for you. Fermented with a special Norwegian Hornindal yeast blend along with Viognier wine grapes, then dry-hopped with Hallertau Blanc and Nelson Sauvin hops. Fruity, floral notes of white grape, citrus, and green melon. Finishes very dry and effervescent. As Gob would say, “Taste the happy!”
- Mangoveza : In tribute to our southern neighbors, we crafted an unparalleled contrast of sweet and heat with Mangoveza. Fruity bitterness upfront followed by a burst of habanero warmth provides a well-balanced IPA—unlike any other spicy ale. Come explore the uncharted territories of this invigorating IPA.
- Wheelchair (2010) : Aged a minimum of eight months, this English style Barley Wine displays a reddish, brown hue and exhibits prominent notes of ripe pit fruit, brown sugar, toffee, and a full-bodied, malty mouthfeel. Brewed with English Marris Otter, Munich, Aromatic, and two Caramel malts, including a touch of crystal Rye, the "Wheel Chair" is an ale to be contemplated, sipped, and savored. It will continue to evolve, gaining in complexity and nuance as it ages. Serve slightly below room temperature to fully appreciate this full-flavored, strong, and pleasantly warming vintage ale.
- Blood Orange Imperial Witbier : Our brewers took inspiration from a classic Witbier recipe that employs the use of unmalted white wheat and coriander spices and doubled the grain bill for a double strength take on a Belgian classic. We took it one step further by adding puree and zest of 240lbs of Blood Oranges which the beer an orange/amber hue and loads of citrus flavor and aroma. In addition we added a touch of grains of paradise which lends even more fruit layers and spice character. The use of Saaz hop lends a balanced bitterness and delicate hop aroma.
- Test Drive IPA : Our latest experimental IPA showcases a new hop variety, the deftly named HBC-342. We blend it with Centennial hops and a smattering of Simcoe, Amarillo, and Equinox, but make no mistake: this beer is all about HBC-342. Test drive clocks in at 7.7% ABV. It boasts a robust malt flavor and an amazing array of aromas, including tropical and stone fruit and pine.
- Saison Ouvrir : Saison Ouvrir is the second release of our Frequencies Series of one-off bottle releases. The beer is a collaboration with Luke Taylor of Corralitos Brewing. We met in 2015 when the Craft Brewers Conference was held in Portland and decided to keep in touch after sharing our interests in open fermentation. In late 2016, we visited each other to produce the Saison Ouvrir at both breweries. The base was modeled after a biere de garde but using a true heirloom hop variety resurrected and grown by Luke himself, although in keeping with the spirit of farmhouse style beers they were finished with unique processes. In the version made here at Upright, the base beer was aged in casks inoculated with a souring mixed culture. The beer shows a complex woody and citrus accented hop profile that intertwines with the bold acidity and oak notes.
- Savvy Seamare : This Oat Session IPA was brewed for Beers With(out) Beards Week (presented by HopCulture Magazine) by Mary Izett & friends. At 4.7% ABV, it is an effortless drinker that packs a fruity punch. This hazy ale was hop-burst and double dry-hopped with El Dorado and Jarrylo hops, giving it notes of zesty orange, pear and watermelon. The finish is divinely crisp and refreshing with a hop love that lingers.
- X-Pat IPA : X-Pat is a fusion of our English heritage and American passions. Using UK malts and American hops this IPA pours copper in color with a big hop bouquet of grapefruit, pine, floral sweetness. A well rounded malt back bone evens out the bitterness for a truly unique drinking experience.
- Dunkel Weizen : With a distinct sweet maltiness and chocolate-like character, this beer is a dark wheat classic.
- Wee Hoppy : This beer fuses two classic winter ales, the winter warmer of the Northwest, and the Wee Heavy strong ale of Scotland. It all begins with 100% Organic British Pale malt; the potent first running’s from the sparge were boiled down to caramelize them in the kettle, adding a nice hop-candy type of profile to the beer. After the single malt, we added a single hop variety, Centennial, in multiple additions including dry hopping. It is fermented with a Scottish style ale yeast which adds a pleasant fruity character and leaves a nice balance of malt and hops. Keep warm this winter from the inside out!
- Peanut Butter Stay Puft : An Imperial Stout made with roasted marshmallows and graham crackers. Chocolate, cotton candy, and vanilla aromatics with flavors of charred marshmallow and dark chocolate. A collaboration between Barreled Souls and Slab Sicilian Streetfood. This version is finished with house made "Peanut Butter"
- Chemtrailmix (2017) : Dark Lord aged in bourbon barrels with cinnamon and pink peppercorns
- Leaves Of Grass: September 18, 2015 : Brewed over two years ago and allowed to age in chardonnay wine barrels for 18 months, this was brewed with barley, oats, wheat, honey and Nelson Sauvin hops, then aged on gooseberries and Northern Kiwi fruit from our friends at Elmore Roots in Elmore, Vermont. This beer and recipe is based upon a 2006 pilot brew version of a New Zeland inspired beer - which, loosely, would become Juicy.
- Big Rock Dunkelwizen (Kasper Shultz Line) : Malty and complex with hints of chocolate, caramel, coffee, toasted wheat and a subdued hop bitterness.
- Merveilleux : This beer is a blend of five different beers fermented in a mix of both bourbon and wine barrels. Brettanomyces, pediococcus and lactobacillus were all utilized to create a myriad of flavors in this unique copper colored beer. The aroma is defined by the presence of the Brett resulting in both a crusty bread and fruit character. The tartness works well with the light oak and distinct citrus flavors, which are followed by a gentle maltiness and dry finish.
- Bourbon O.E. : Bourbon O.E. or B.O.E. as we call it in the taproom has garnered a strong following since 2013 when it was first released. This beer boasts balance above all with beautiful vanilla, oak, and char characteristics balanced out with the malty complexity of a true English Barleywine.
- A Night To End All Dawns : A Night To End All Dawns began life as an imperial stout and was transformed into a massive dark ale during 15 months spent in bourbon barrels.
- Caramel Apple Cuvee : Cuvée (pronounced koo-vay´) is a distinctive beer, designed to mature in wood. Ours is a strong blonde ale brewed with caramel, tart green apple, citrus rind and mild vanilla. The character of each barrel blends with the beer’s complex flavors, creating a dry finish with a bold oak essence. From sip to swallow, an interesting and unique flavor experience.
- Loose Cannon Dark Lager : A lightly hopped medium bodied dark lager. This rich and flavourful beer delivers a creamy head , a clean taste , and hints of toasted chocolate. Made with dark crystal and chocolate malts, German and Polish hops.
- Elephant Hill Hefeweizen : An American wheat ale served unfiltered, leaving the yeast and B-complex vitamins in the glass, offering superior quenchability! Try it with a lemon.
- Sticky Hands : Sticky Hands is a Belgian-style Tripel kettle-soured with lactobacillus and fermented on sour cherries. Incredibly crisp and drinkable with a restrained yeast profile, subtle floral fruity cherry aromas, a beautiful rose hue, and a dry finish.
- Pathways Saison : Pathways Saison is a mixed fermentation beer blended from a lot of barrels varying in vintage from three to nine months. Multiple yeast and bacteria strains develop complex flavors and aromatics within a saison base featuring classic malt flavors alongside an attractive hop profile with herbal, grass, and soft lemon notes. 
- Rat's Ass 2X IPA : Fermented in the company of spiders and rats, in the darkness and loneliness of the basement, comes a highly hopped double IPA that will challenge your senses and palate. Dry-hopped on day three with Amarillo and Cascade hops, expect a burst of flower aromas and a smooth bitter finish that will leave any IPA lover pleased and saying "Rat's Ass!"
- Scratch Beer 112 - 2013 (Fest Lager) : Autumn is an insanely popular season for beer releases. Perhaps the most famous, long-standing fall beer style of all is the Märzenbier, or more commonly known simply as “Festbier.” To commemorate the annual German tradition of Oktoberfest, we once again offer our take on this classic German style. With origins dating back to 16th century Bavaria, the original Märzen style was touted as “dark brown, full-bodied, and bitter.” Typically brewed during the warmer spring months, the beer was often stored in cellars before finally being served during Oktoberfest. Boasting a notable hop presence, Scratch #112 displays moderate bitterness while still maintaining the classic malt character you’ve come to expect from a traditional Festbier. Prost!
- Two Fruits : Jammy and sour dark ale aged in second use Darkstar November barrels with blackberries and boysenberries. This was a special all-berry variant on the Square Fruit collaboration with Bottle Logic released in July. We think it's a super complex beer!
- Scratch N Sniff White IPA : This White IPA is the 2nd in a series of 6 different & unique IPA's crafted with Baying Hound Aleworks. This IPA features a fruity aroma derived from a farmhouse yeast strain that is bolstered by the tropical flavors of Citra and Galaxy hops. A generous touch of wheat and oats soften up the malt to finish bright and refreshing.
- Floral Green : The beauty of green fields and the fragrances of Spring have brought welcome sighs of thanks since our beginnings. Floral Green is an ode to this time of year, with its fruity ester aromas from a mixed culture of farmhouse and Belgian yeasts, and through the singular Cascade hopping, a distinct flavor profile that is somehow "green." Welcome an early Spring!
- Pumpkin Ale : To honor Fall we offer our deep mahogany hued Pumpkin Ale, bursting with a robust roasted malt flavor. To this mélange we add copious amounts of pumpkin and embellish that further with nutmeg, cinnamon and ginger. This would have been ideal, but perfection is our preference and so we diligently add cocoa nibs as the beer conditions and intensifies the depth of flavor. This melds magnificently with the pumpkin and spice. And as a fitting finale we gently introduce hops to compliment this complex potion and the result is a finish that is clean and brilliant.
- Currant Affair : A dark sour, aged for 2 years in oak and an additional 2 years in stainless with 1.2 lbs of local currants per gallon. Currant Affair had a mixed fermentation with Brettanomyces, Lactobacillus and a traditional ale yeast. Deep red with raisin, chocolate and sour cherries in the aroma, it’s tart and spicy with complex flavors of stone fruit and brown sugar. Look for this on draft at a specialty event near you.
- Beer Runner : Galaxy, Citra and Michigan Copper Hops blend perfectly for an intense tropical fruit cocktail taste which is backed up by a slight bitterness and silky smooth mouthfeel. 
- Big Eddy Über-Oktoberfest : “O'zapft is!” It is tapped, indeed. Oktoberfest, arguably the greatest festival in the world and the beer that bears its name, was born from a Bavarian royal wedding celebration. We’re paying homage to that celebration with a bolder, toastier take on an Oktoberfestbier that can only be described as “Über.” With a tawny orange hue, toasted malts and spicy hops, our Big Eddy Über-Oktoberfest is then dry-hopped for added hop complexity.
- Heiner Brau Maerzen : It means "March" in German. Monks used to call it "Das Fluessige Brot," or "Liquid Bread." Maerzen is a unique, fresh, dark brown Bavarian lager that has a malty “bread taste” flavor. It is well balanced with a fresh hop finish.
- Black Butte XXIV : Brewed with dark chocolate nibs, Daglet dates and Mission figs.
- Possum Trot Brown Ale : Unmistakably malty, Possum Trot draws its inspiration from the classic brown ales of England. This unique style, given Kansas City’s original nickname, combines a variety of barley to produce a toasty, nutty malt flavor with a slight hop bitterness in the finish for balance.
- Dragonhead Stout : Dragonhead is a legendary stout: dark, intense and fully-flavoured it is our tribute to the Vikings and their cultural legacy in Orkney. On the nose, this black stout has a smooth roasted malt aroma giving bitter chocolate, dark roasted coffee and smoky notes balanced by hints of spicy Goldings Hops. On the palate, the dark roasted malts combine to give a rich, rounded palate of chocolate, toast and nut, with a satisfying spicy hop finish.
- Spirit Beast 2016 : A collaboration with Local Cantina & Gallo’s Taproom, this edition is a blend of Dark Apparition, Oil of Aphrodite, Oro Negro, Champion Ground minus the coffee, Full Allotment, and Skipping Stone blended and aged in Blanton’s, Woodford, Four Roses, 1792, and more.
- The Dun Cow : The Dun Cow is a Milk Stout (stout brewed with lactose sugar) on nitro. The lactose sugar adds body and sweetness. Combined with the nitro carbonation, it makes this an incredibly smooth, rich and creamy beer. The three distinct dark-roasted malts used in the brew add delicious smooth chocolate & coffee flavors.
- BarbieSwine : Brewed in the classic English style, this barley wine is a tapestry of rich malt character, and complex aroma. [Contains Lactose]
- Coffee Stout : Our Coffee Stout is rich and smooth with just a hint coffee flavor. It is crafted using five different malted grains, which results in dark color and flavors of chocolate and heavily roasted malt. We then partnered with Des Moines based U.S. Roasterie to select a Mocha Java coffee to add depth and flavor to beer. We think it turned out great and hope you will agree!
- Hippie Wheat : A bright, light-bodied American Wheat beer. Citra and Ella hops impart fruity, citrusy flavors that are balanced by a wheat backbone. Restrained bitterness and reasonable ABV allows for easy drinking.
- Salamander Slam : Hop flavors are moderately high and floral to citrusy. The malts add complexity and give the beer a pleasant flavor, a golden color, and support the hop aspect. So, take a hike! If you love the smell of the woods after a fall rain, let our English India Pale Ale (IPA) take you there. The only thing missing are the bugs!
- Garden Of Eden : There was a time when everyone was walking around naked, in harmony with nature and all its animals. People were just sipping IPAs and on several biblical records, Adam and Eve were putting fruits in their IPA to compliment the fruity mosaic hops. Apricot, Guave, Mango, Passionfruit and Papaya made for a great IPA. Boasting with fruit flavours, this makes an intense IPA, boasting more fruit aromas that you never will come across in any other beer. Cheers!
- La Kedgwick : This golden lager, extremely complex yet very light, is smooth with a crisp bitterness. It gets its spicy and herbal taste from plenty of noble German hops. It’s as crisp as an early morning Atlantic salmon rise, as cool as the Kedgwick River’s rapids and as clear as the moon over the Forks.
- Can't Keep Up XXX : Dark Saison blended from various fruited, spiced, and wood aged beers. Notes of panettone and quince with a light acidity.
- Night & Day - Beatriz : Once again, we partner with Barrington Coffee Roasters to brew Night & Day. In order to reach the higher gravity and fuller-body of this massive imperial stout we employ a reiterated mash technique that allows us to create an unusually rich, high gravity, 100% malt wort. Pouring raven-black with a persistent creamy pale-brown head, Night & Day is seductive with aromatics of roasted dark malt, espresso, caramel, cocoa powder, dark fruit, charred toast, and subtle sweet vanilla. At a soul-warming ABV of 11.5%, this bold, imperial stout drinks velvety smooth with mellow bitterness, silky carbonation, and balanced flavors of dark roast coffee, chocolate, figs, affogato and black cherry.
- Hop Disciples - Idaho 7 : Hop Disciples – Rotating Hop Project takes a bright, clean IPA and puts a different hop variety at the forefront of the sensory experience every year. The inaugural release features Idaho 7, which shows up punching with aromas of orange zest and stone fruit complemented by a hint of black tea leaves in an uncharacteristic element of subtlety. Hop Disciples may look tough on the outside, but with its golden blonde hue and approachable 6.2% ABV, we promise it’s a lover not a fighter.
- Pink Grapefruit Gose : Bright, with an unfiltered grapefruit haze, this fruit gose offers a dry palate and light body highlighted by hints of tart, pink grapefruit and finishes with a hint of Himalayan salt.
- Hogpound Brown Ale : Hogpound Brown ale is medium bodied, the flavor is slightly nutty and sweet but ultimately very smooth and drinkable. The body and sweetish malt flavor come from Crystal, biscuit malt, toasty Munich malt and roasty Chocolate malt. The English Hops contribute a subtle floral note.
- Newcom's IPA : Hops, hops and more hops are what make an I.P.A. an I.P.A. Complex aroma balanced with smooth, rich malt. Our IPA is hopped in the kettle and dry-hopped as well to add a refreshing resiny, citrus aroma and flavor.
- Thunder Canyon Skyline Dunkel : Our American style dark wheat beer. It has all of the characteristics of a wheat beer, light refreshing and flavorful, in combination with the chocolate flavors and aromas from roasted malts.
- Bavaria Oud Bruin : Doesn't fit to Flanders Oud Bruin beer style category. Fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Brand Oud Bruin : Doesn't fit to Flanders Oud Bruin beer style category. Fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Budels Oud Bruin : Doesn't fit to Flanders Oud Bruin beer style category. Fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Entheogen : Sour DIPA with raw wheat, malted oat, milk sugar, passionfruit, strawberries and orange peel, hopped with El Dorado.
- Barely Barley : Just in time for Thanksgiving, this delicious pint is not your average brown ale. Our Brewmaster Mike Donovan teamed up with his old brewing buddy Nathan Rice at New Braunfels Brewing Company to bring you the perfect pairing for your Thanksgiving meal. On a base of barley -- barely -- Mike and Nathan built a grain bill of emmer wheat (a nearly 20,000 year old relic wild grain), triticale (a hybrid of wheat and rye originating in Scotland), and toasted buckwheat (a non-grass crop related to rhubarb). Triple-step mashed and fermented with English ale yeast to add just a touch of fruitiness, this 6.7% ABV brown ale has a creamy mouthfeel and distinct grainy notes that will stand up to stuffing, gravy, and even that pumpkin pie you can't resist. An alternative ale to bring a little non-traditional flavor to one of our favorite traditions -- Thanksgiving dinner!
- Halftone : Relatively crisp riff on NE-style IPA with notes of strawberry & passionfruit. Simcoe & Azacca take the starring roles here.
- Sarrasin : This buckwheat saison is the handy work of local Homebrewer Chris Rabeau. Chris' saison won our saison competition with its effervescence. Subtle, yet complex, we really enjoyed what Chris had brewed and we hope you do too.
- Blizzard Of Hops : The hop cycle comes to a close with Blizzard of Hops. As winter creeps in, we salute hop growers around the world. Enjoy the fruits of their labor and savor sticky notes of citrus & pine with this revitalizing winter IPA. #4 of 4 in our Hop Cycle seasonal series.
- Chubby Stout : A dark Irish ale with full body and flavor and a creamy head of foam from the added Maltodextrin. Dark malts and grains prove huge taste.
- Glitter Freeze : Brewed with passion fruit and dragonfruit.
- Sixfold X: Flanders Red : A traditional Belgian sour aged in oak barrels for for over a year to create an intensely sour beer with a complex malt bill to add an additional layer of character. 
- Scratch Beer 160 - 2014 (Belgian Style Saison) : The classic Belgian-style ale known as the Saison is no stranger to our Scratch Beer Series. While the Saison has stood the test of time and endured as a distinct and respected beer style, we decided to add a bit of pizzazz with this latest interpretation by incorporating an experimental hop variety. Known only as “871,” its floral, citrusy and herbal attributes work extremely well in the context of traditional farmhouse ales such as the Saison. The use of French Saison yeast lends a silky texture and dry, champagne-like finish, two hallmarks of the style. The result is a mouthwatering Saison with a complex aroma profile supported by a sweet malt backbone and surprisingly rich, velvety mouthfeel.
- Amber : This is the fastest selling beer style in the U.S. Our version is dark copper in color, with a fruity aroma and a slightly happy finish. One very popular favorite!
- Tiger Bite IPA : Midwest Style IPA's tend to have more malt flavor and sweetness than the drier East Coast IPA's, but less hop bitterness than West Coast offerings. The hop flavor and aroma are in abundance and usually favor the old school hop varieties such as the C-hops; Cascade, Centennial, and Chinook. The yeast is most often a clean American variety or an English strain that's not too fruity.
- Tiger Paw Porter : A dark, deep brown with ruby highlights, coffee flavor up front followed by a chocolate finish, low hop aroma, and low bitterness.
- Belgian Chocolate Stout : With highlights of dark chocolate, vanilla beans and dark fruits, cacao nibs from Graham’s chocolate and toffee flavors round out the body revealing a mildly dry, roasted body. As the beer warms, the finish evolves into spice with levels of cinnamon and star anise.
- Beer Camp Across The World: White IPA With Yuzu : Japan's Kiuchi Brewery, makers of the Hitachino Nest beers, have an elegant take on classic beer styles with a uniquely Japanese influence. They Suggested adding Yuzu---an Asian citrus fruit---to a hazy white IPA and we jumped at the chance. What emerged is a hoppy yet refined version of the style with a bright citrus flavor and a spicy finish.
- NocturnAle : Dark as night, NocturnAle has a smooth, creamy mouthfeel with a roasty malt flavour combined with the richness of dark chocoate and a hint of toasted coconut.
- Fall Black : Fall Black is made with German and American malts and hops and brewed with California Common yeast. Despite it's dark color, it is suprisingly light on the palate. It features a subtle roast character, smooth bready malts, and slightly spicy hops.
- Carrabassett Winter Ale : In Carrabassett Valley we love winter, the nip in the air, the snow on the mountain, and the beer! With it's deep amber color, sturdy yet complex malt base, and unique hop finish this 6% ABV "winter warmer" style ale is sure to please the palette without the overpowering alcohol bite of many of the seasonal offerings. This is the perfect beer after a day out in the cold or for a cozy evening in by the fire.
- Luna De Miel: Raspberry Meade : Historically a meade was made to celebrate the union of a couple and given to them for celebration of their marriage. Truly defined as a braggot, BBC Luna De Miel is a fermented honey ale flavored with a blend of raspberries and blackberries. Luna De Miel is a refreshing change from standard BBC offerings. Luna De Miel is effervescent, fruity, and light, yet warming from its moderate strength. BBC Luna De Miel is offered in a wine glass.
- Keepers Stout : Keepers Stout is an award winning, authentic example of a classic Irish style, full-bodied, black ale that pours with a rich, creamy head. Bold, complex flavours of espresso and fine, dark chocolate build to a pleasingly mild roasted malt finish.
- Portsmouth Dunkelweizen : This dark wheat ale has a touch of roastiness & a crisp refreshing character with a medium body.
- Victor Francenstein : Victor Francenstein was created by aging 2008 victor ale in french oak wine barrels for one year with a blend of lactobacillus and brettanomyces. 100 lbs of 2009 cabernet franc grapes were then added to the barrel for an additional six months of aging. The resulting beer is dry, tart and fruity. Fresh strawberries and citrus are present in an aroma that gives way to flavors of grapefruit and rum. The tart finish has hints of vanilla and oak.
- Whole Buffalo Saison : Collaboration with Whole Foods Market Brewing Co., this is a saison that incorporates Texas grapefruit and coriander along with hops from Germany, New Zealand and the U.S.
- Gluttony : GLUTTONY Triple IPA overindulges the palate with profound malt, powerful hops and abundant body. Its deep decadent golden orange color presents an appetizing invitation for extravagant enjoyment. Its aroma entices with citrus, pine and alcohol while the flavor provides a smorgasbord of sweet malt, fresh tangerine/grapefruit and a resinous hop character that lingers well beyond the finish.
- Affiniti : A fruited pale ale
- Head Over Hops IPA : Our IPA abounds with juicy notes of tropical fruit from both the late kettle and dry hop additions of Citra and Australian Galaxy hops. The malt bill establishes drinkability sure to please most hop heads.
- Flying Monkeys The Matador Version 2.0 El Toro Bravo : Imperial Dark Rye Ale Aged on Spanish Cedar
- El Robusto Porter : An Imperial Porter. Dark as night, rich and flavorful. One of our original beers since day one. A Bronze medal winner at the Great American Beer Festival.
- Merry Monks : Merry Monks, 9.3% ABV, is a Belgian-style Tripel. Pilsner malt combined with an Abbey yeast strain yields a remarkable and complex flavor packed with notes of spice, banana and pear. Nicely balanced, with a moderate to dry finish.
- Farmers Gold : Farmers Gold is a blend of one-year-old farmhouse ales from our Provisions program with 10% young sour wild gold. Farmers Gold pours hazy with the character of funky tropical fruits and citrus with a clean and medium sour finish.
- Common Dry-Hopped Session Ale : A mild American Pale Ale brewed to be highly refreshing and drinkable. This gem has a citrusy and fruity hop aroma with light malt notes. (Common is not a reference to the California Common style.)
- Huckleberry Chapel Witbier : If you've spent any time in the Northwest, you know of our love of the mountain huckleberry. This tiny fruit feeds bird and bear alike. It also feeds our hunger to experience the robust land in which we live. From frigid steam and alpine lake, to soaring peek and high mountain pasture, the unassuming huckleberry is a welcome sight to all on the trail.
- Rainbow Trout ESB : Rainbow Trout ESB is a traditional medium bodied pour that includes just a hint of a chocolate thing hidden in there...you find it! Our ESB utilizes English Hops for a sweeter more malty character than a Pale....thus it's dark amber hue.
- Suddenly Suspect : A tart IPA with notes of mild lemon, pineapple, citrus, and passionfruit, with a beautiful light tart finish. Slightly soured with Lactobacillus, Dry-hopped with citra.
- Never Aloha : Never Aloha is a 4.9% Hawaiian Punch inspired Gose. For the salt addition on this batch we used Red Alaea Hawaiian sea salt. We added hundreds and hundreds of pounds of passionfruit, pineapple, mango, blood orange, and cherry purée into this one. We also salt baed in a small amount of Hawaiian Punch powder for good measure. It literally tastes like an adult tropical fruit punch. 
- Picasso : Picasso is a 7.2% wild ale blend that pours dark red with a tannic nose of rhubarb and strawberry, sipping sour with spicy notes of rye and red wine. It's a really complex blend that will age beautifully for those patient enough.
- Dalia : Baltic Porter, 6.66%abv, A rich, roasty & sweet porter brewed with pilsner lager yeast. Notes of coffee, chocolate, sweet dark sugars, roast barley & a hint of smoke. 
- Notting Hill Ruby Rye : Notting Hill Ruby Rye is a robust ruby ale made with rye complimented by a fruity hop aroma.
- Darken : Darken is a take on an “old ale” or Flanders Brown Ale. We added spices to the mix to create a pleasurable and more heavily nuanced flavor profile. Aged for long time periods, always in oak, creates a harmonious brown sour ale.
- Grapefruit Massacre : Grapefruit Massacre is a 6.7% grapefruit IPA. We stuffed our hop back with ruby red and white grapefruit and zested the whirlpool. The beer is dry-hopped heavily with Comet, Citra, Mosaic and Simcoe.
- Apricot Love : Farmhouse ale brewed with over 50 pounds per barrel of fresh apricots and fermented with our indigenous cultures - Apricot Love is a natural manifestation of our love for beer and fruit.
- Éphémère (Cranberry) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Cisco Canyon Blonde Ale : The Wellhead’s light and refreshing blonde is made in the German Kolsch tradition. Wheat malt imparts crispiness while the Fuggles hops round out the flavor with a pleasant fruitiness. Try this microbrew with fish or chicken.
- Mosaic + Waimea : Mosaic + Waimea is an explosion of orange, blueberry and tropical fruit.
- Reverie : Our Summer Seasonal, Reverie is an XPA (Extra Pale Ale) with 30% rye malt. This is a refreshing and easy drinking Pale Ale with added complexity from the addition of rye. Tropical fruit, pine, citrus, and spicy aromas/flavors compliment the beer’s dry and crisp body. ABV: 5.4%, IBU 36, SRM 5.
- Nut Brown : This medium-bodied Ale is characterized by its rich, chewy sweetness. The interplay of seven different malts produces a slight toffee and chocolate flavor. This is the beer to choose if you’ve never tried dark beer before. A ChopHouse staff favorite.
- Galloway Porter : A dark, full-bodied and drinkable beer, Galloway Porter highlights rich roasted chocolate and coffee-like malt flavors and aromas. It has a very mild hop addition so that the chocolate malt flavor can shine through.
- Tight Pants : Everybody's talking about our Tight Pants. It's crisp, dry and refreshing with notes of fruit and spice. Get your Tight Pants on.
- Black Wobbly Robust Porter : Fighting for the rights of ALL people, the Black Wobbly stood for justice and equality. It's also a dark, malty, aromatic Porter brewed with English Chocolate malt and Amarillo hops! Cocoa, orange, coffee, and toffee flavors explode from the glass!!!
- Dunkel Hefe-Roggen : Dunkel Hefe-Roggen is German for dark rye with yeast. It is a unique version of rye beer fermented with a traditional German Weizen yeast strain. The rye malt adds rich body and flavor to the beer. Chocolate rye malt gives this brew a light nutty flavor. Weizen yeast contributes aromas of spice, bananas and cloves.
- Heavy Metal Parking Lot: The Beer : The beer is a Belgian-Style Golden Strong Ale that marries a soft malty character with fruity and spicy notes from the yeast. Notes of pears, oranges or apples balance with subtle hints of pepper on the palate. This style of beer is infamously often named after the devil for its high ABV and spicy character.
- Wandering Monk Ale : The Wandering Monk is our Fall Migration prior to barrel treatment. Wandering Monk is a trappist-inspired Belgian-style pale ale. It has slightly sweet malt notes that are complemented by fruity and spicy notes that come from the Belgian yeast strain and Styrian Golding and Tettnang hops.
- Scratch Beer 123 - 2013 (Belgian Style Brown Ale) : For this latest Scratch Beer offering, we’re revisiting one of Chris Trogner’s favorite beer styles. Over the last two years, the Belgian Brown Ale has become his anniversary beer of sorts, and we have released a variation on the style each November since he tied the knot. The flavor of Scratch #123 originates in the Abbey Ale yeast strain, which produces a distinctive fruity character akin to dried dark fruit (think raisins or prunes). On your palate, the dark fruit flavor continues, adding traces of toffee, chocolate, caramel, and dark rum as well as delicate spices, roasted nuts, and lightly toasted grains. The addition of Belgian Candi sugar bolsters the ale’s sweetness, while Turbinado sugar releases a subtle molasses flavor. Scratch #123 finishes with a faint floral hop note that ties everything together.
- Golden Spur : Golden Spur is a crisp refreshing Belgian ale brewed to highlight the complexities of traditional Belgian Saison yeasts. A warmer fermentation increases the yeast’s natural phenolic & ester production – enhancing banana and clove flavors and imparting a slight tartness.
- Confluence Ale : Allagash Confluence Ale is created with a mixed fermentation; utilizing our house primary Belgian style yeast in combination with our proprietary Brettanomyces strain. The two yeast strains work in tandem creating a marriage between spice and fruit flavors that ultimately leave a lingering silky mouth feel. Confluence is brewed with a blend of both imported pilsner and domestic pale malts as well as a portion of caramel malt, resulting in a complex malty profile. Tettnang and East Kent Golding hops are added in the brew process to balance the intricate malty profile while adding a sweet and spicy citrus aroma. After fermentation, Confluence undergoes a lengthy aging process in stainless steel tanks to enhance the flavors. Prior to bottling, it is dry hopped with a Glacier hops, providing a pleasant balance of aromas.
- Black Licorice Lager : "A high gravity American dark lager aged on anise seed, Madagascar bourbon vanilla beans and fresh chocolate mint leaves."
- Bad Adz : Bad Adz is an American-style brown ale named after our wood design guru, Tim Overhuel, and his company, Bad Adz Custom Wood Design. Bad Adz is a smooth yet complex beer brewed with a malt bill that produces a slightly toasty and sweet, nutty flavor with hints of raisin and caramel. Tim provided a lot of the natural wood materials, design and labor that make our tap house unique, so we decided to name a beer after him. Cheers to you, Tim!
- John Stark Porter : Named after General John Stark, the famous Revolutionary war hero. This brown porter has a full body, complex malt character a subtle chocolate flavor.
- Walking Backwards Australian-style Pale Ale : In 2016, the Australian-style pale ale became a recognized beer style in the Great American Beer Fest. According to the guidelines, this style mimics an intensely fruity American IPA. So why call it a pale ale? No one really knows.
- Mango Wheat : This fruit wheat hybrid beer is brewed with three varieties of malts and two varieties of hops. We add 97 pounds of pureed mangoes to the fermenter. The mangoes add a tropical fruit note that blends well with hand-selected malted wheat.
- Kölsch : This bier is delicate and pale with less bitterness than a Pils and less sweetness than a Helles. A subtle fruitiness is the hallmark of this classic style from Köln. Along with Alt, this is one of the last ale holdouts in Germany. (ABV 4.6% 22 IBU'S)
- Raspberry Wheat : An unfiltered wheat beer loaded with 210 pounds of real red raspberries. Tart and satiating, this beer is red in color and boasts fruity flavors of red raspberries. Low bitterness, refreshing, and smooth.
- Audrey : A Belgian-style dark strong ale with notes of raisin and fig, finishing with a residual sweetness.
- Diablo Imperial Black IPA : Formerly Diablo Dark Ale
- Tropical Storm IPA : A balanced beer with notes of stone fruit and the addition of real grapefruit juice make this a crisp and refreshing selection.
- Fir-Bidden : Displaying complex and layered flavor and aroma, Fir-Bidden Baltic Porter represents our passion for fun and adventure in Idaho's mountains. Pours almost black with ruby hues, its drinks smooth with notes of dark toffee, toasted marshmallow, raisins and cherry. Noble hop varietals and the evergreen (hand picked by Payette cellarmen) with warming alcohol aid in an opulent smooth mouth feel.
- Sugar On Top IPA : Once you try our IPA you’ll be begging for more. This beer starts with a rich sweetness and finishes with a hoppy kick. Thanks to a generous addition of Citra hops it has a fruity, citrus aroma. It gets its name from the large addition of brown sugar at the end of the boil that gives it a sweet, rich balance.
- Phenomenology Of Spirit (2010) : Our Dark Saison.
- Barrel Roll No. 5 Chandelle : CHANDELLE represents a perfect balance of fruit and funk, marrying the bright flavors of Golden Sweet apricots with the oak-aged complexity of sour beer. It begins as a blonde ale brewed with both malted and unmalted wheat, a blank canvas which is laid down in freshly emptied white wine barrels and topped off with our house souring culture. Over the course of a year these yeast and bacteria transform the liquid, bringing forth a beer that is both deeply funky and refreshingly sour. The barrels are then blended back together just before the final addition- a generous helping of fresh apricots plucked from Blossom Bluff Orchards in Central California. The tart flavors and aromas of the fresh fruit perfectly balance the acidic, bracingly sour base developed in the barrel.
- Summit : A light bodied, bronze colored, session ale with flavors of pear, apple and mild pepper. A Belgian Abbey yeast, first cultivated by Trappist Monks, produces a complex blend of fruit ester and mild phenolic flavors to create a refreshing and unique summer beer experience.
- Saison Du Tropique : Traditionally named, this tropical saison is anything but traditional. A tart saison serves as the base which is then aged in wine barrels on Pink Guava and Coconut. While great on its own, this light bodied tart ale is perfectly enhanced as the flavor and aroma scream “tropical” thanks to the burst of bright fruit. No matter where you are from, Saison du Tropique will carry you away to an island paradise.
- Threadless IPA : Our Threadless/Finch collaboration IPA is a balanced experience of both perceived hoppiness and true bitterness. It pours a darker amber color and finishes with a citrus flavor, and when combined, will require this to be the last IPA you ever drink! Well, maybe, we realize you will probably drink more, but the result of this recipe clearly evolves into a very balanced IPA. The grain bill on this big pale includes melanoidin and Victory malts. We hop it up before the boil starts with some Columbus first wort hopping, then add a bunch more for bittering.
- Passion Weisse : Mixed fermentation sour ale with passion fruit
- Black Tusk Ale : To date, we have won 2 World Awards for this dark, English-style mild ale. You can expect a mild bitterness with notes of chocolate and roasted coffee, and a very clean finish.
- Chocolate Truffle Stout : Our sweet stout is made in collaboration with Connecticut's favorite chocolatier, Munson's Chocolate. Copious amounts of oat malt produce a silky, full bodied beer laced with hints of roast and chocolate derived from dark malts. Each sip ends with a mild chocolate bitterness from Munson's proprietary cocoa powder, added generously to the brew. To round out this beer, we add several pounds of cocoa nibs at the end of fermentation to provide a fresh chocolate aroma.
- Arcadia Imperial Stout : Our extraordinary Imperial Stout is black as midnight with a rich, palate-warming mouth feel. It offers an alluring aroma of dark roasted malts and blackstrap molasses with a hint of smoke. The flavor features notes of coffee, bittersweet cocoa, black licorice and hints of prune. A generous addition of hops contributes to the complexity and balance, and gives the liquid a pleasantly astringent finish. With proper aging our Imperial Stout matures for up to four years. It is the winner of a prestigious Gold Medal for Bottle Conditioned Ale at the 2002 Real Ale Festival.
- Oktoberfest : Oktoberfest is a complex, malty, bottom fermented lager. It has a wealth of flavor and a slightly caramel character. Hops are used sparingly so as to provide balance to its clean personality. Aging for over five weeks gives this lager a round smooth taste. Oktoberfest is an American term for a German beer style and is meant to be enjoyed year round.
- La Moneuse : La Moneuse is named for A. J. Moneuse (b. 1768), a famous local bandit and gang leader, and ancestor of the brewers’ family. It is a classic "saison" beer by virtue of its strength and its earthy, aged quality. It has a hardy, semi-dry malt character, a fresh but not overpowering hoppiness, abundant yeasty, fruity flavors and a fairly strong, but pleasant and enticing mustiness.
- Seaton : A medium to dark Bitter - Good balance of hops and malt with a hint of chocolate
- Saison Vautour : Belgian style farmhouse ale balances a bold, spicy yeast character with a dry hoppiness. A significant addition of malted rye adds further complexity without betraying the styles roots.
- 2 Turtle Doves : 2 Turtle Doves is the second in the 12 Days/Years of Christmas Series. We decided to take our inspiration from the name and base the beer on the "turtle" candy, brewing it with cocoa nibs, toasted pecans, caramelized sugar and a lot of caramel malts. Somewhere between a Belgian-style Dark Strong Ale and an Imperial Porter, this beer is designed to take the journey through time until 12 Drummers Drumming.
- Stone Hammer Pilsner : This beer was built to cleanse and refresh. A straw coloured golden beer with light white head on top. The light aroma brings grainy pilsner malts, fresh aromatic hops and nuances of dried fruit. On the palate it is crisp, lightly hopped beer with an unassuming ability to quench your thirst.
- Trafalgar Bock Lager : A dark, rich and hearty German Lager with a delightful bouquet and subtle sweetness. Available during the winter and into late spring, our Bock is best enjoyed with rich and hearty foods such as duck, goose, rabbit, salmon and other game foods.
- Small Batch Series No. 3: English Style Barleywine : This vintage ale undergoes a 3 hour boil to create a complex layer of malt character including caramel, toffee, ripe fruit, and leather. The floral and earth-toned Kent Goldings hops add a soft background of spice giving depth to the malt flavors and providing an overall balance. It has been aged for 6 months in oak barrels to allow time for this big beer to mature and mellow. At 10% ABV, it’s made to be laid down like a fine wine. If stored properly this barleywine should keep well for upwards of 10 years. Drink one now, save more for later!
- Way / Stillwater Amazon Gose : A collaborative beer between Way Beer and Stillwater Artisanal (USA). This Gose contains Brazilian sea salt coming from the Mossoro region of Rio Grande do Norte and gabiroba, a native fruit harvested in their natural environment.
- Effigy : This 'dark pale ale' is brewed with Midnight Wheat, a dark kilned wheat malt that gives the brew a lot of color and distinct maltiness without the burnt-roasty notes found in many stouts and porters. Hopped and dry hopped with 55 pounds of Centennial and Cascade in 12 barrels of beer, this brew has amazing aromas and complexity to help get you through the first chilly days of Winter.
- # 1001 : Brewed to celebrate the 1000th batch at Nøgne Ø, # 1000 and # 1001 were spiced with spices inspired by the book One Thousand and One Nights. # 1000 is paler and # 1001 is darker, they are sold together in a cardboard box.
- Midway IPA - Session IPA : Paying tribute to the city we call home, Midway IPA is sessionable and refreshing, or as we like to refer to it - easy drinking. With a lower ABV, balanced IBU’s, and a tropical fruit aroma, make Midway your new go-to, have more than one, easy drinking IPA.
- Bob’s Your Uncle : Mild Ale is the original session beer. Low in hop flavor, alcohol and light in body, it derives all of it’s complexity from a balance of malt richness and yeast fruitiness. If you think beer has to have deep haze, heavy-handed hops, or long age in a barrel to be delicious, think again. It’s 4.8%, old world, perfect for a heat wave and Bob’s Your Uncle!
- 3 Sour Blackberry Raspberry : Our series of fruited American Sour Ales come from a love of fresh fruit flavors combined with mouth-watering acidity. We take the same golden sour base beer and re-ferment it with different fruit combinations. Blackberry and raspberry , while distinctive, have highly complementary flavors. Explosive fruit notes erupt from the glass, and one is left with a quenched thirst, yet thirsty for more.
- Alderaan : Alderaan is a Russian Imperial Oatmeal Stout brewed with Pale Ale malt as the base and a host of wonderful specialty malts such as Roasted Barley, Black, and Dark Crystal from the Thomas Fawcett’s malt house in England. We also incorporated both flaked oats and oat malt in the mash to impart a rich silky mouthfeel and texture. Alderaan has complex malt flavors and aromas reminiscent of dark baker’s chocolate, fresh brewed coffee, and caramel candy. Hop additions impart a clean, balanced bitterness and hints of earthy-spiciness dancing around the intense malt backbone. Don't be fooled by the smooth easy drinking nature of this robust dark ale, it packs quite a punch! This is a very limited offering; the rest of the batch went into bourbon barrels earlier this year and will emerge this fall. Cheers!
- Black Wych : BLACK WYCH A Dark Mysterious Spellbinding Porter
- Golden Eternity : A light British-style bitter, brewed with a generous dose of Bramling Cross and Hersbrucker hops for a bright, herbal, and lightly fruity aroma.
- 12th Edition: Hallertua Blanc – Session IPA : Relatively low alcohol but nice malt body combine with passion fruit and pineapple aroma. The taste brings a subtle grape flavor with overtones of lemongrass in the finish. This 12th edition in our Session Series features Hallertau Blanc hops in the dry-hop.
- Nikolai Vorlauf Imperial Stout : We brewed this imperial stout to be big, bold and strong, like a bear-hugging Russian wrestler. A thick body using oats and lactose is complimented by plenty of complex chocolate, cocoa, and caramel undertones, before finishing on a balanced roasty note.
- Samuel Adams Hopscape : Four types of West Coast hops add bold notes of pine and juicy grapefruit to this deep golden wheat ale, for a crisp flavor that’s a refreshing escape from winter’s lingering chill. 
- Black Kettle Stout : Black Kettle Stout is a dark, 7 grain, full-bodied ale made with black malt, cinnamon, vanilla and chocolate for a strong, roasted barley flavor with a bitter chocolate finish. It has a smooth texture with a rich, creamy, feel on the palate and a distinctive cinnamon aroma. The color is dark brown to black with a heavy amber lace and a roasted coffee after-taste.
- La Piccola Pepe Di Sichuan : Dark saison with Sichuan peppercorns, debittered black malt, then soured via secondary fermentation and aged for 12 months in French oak barrels.
- Weightless Sun Angel : Peach India Oat Kölsch. Brewed with oats, then cold fermented for a dry, crisp finish. Dry-hopped with heavy measures of Galaxy. Conditioned on top of copious amounts of local peach purée, lovingly processed in house. Peaches provided by our best dude Ben Wenk of @3springsfruit in beautiful Adams County, PA. A beautifully refined summertime crusher! Subtle notes of dried apricot, Grüner Veltliner, and candied orange peel.
- Snake Venom : Snake Venom is the world’s strongest beer as of 24 October 2013, coming in at 67.5%. It is dark amber in colour with no carbonation due to the high ABV. Unlike the previous Armageddon, the alcohol is not masked in Snake Venom. It is highly present yet it still tastes like a beer with a good degree of hop profile. Each batch is tested by the brewery before bottling and random batches are tested externally.
- Samuel Adams Barrel Aged Kriek : This beer is aged on a bed of Balaton cherries, which are prized for their depth of flavor, for an intense black cherry character. The dark red fruit and tart sweetness is balanced & mellowed by a rich maltiness. This specialty version of Kriek was also aged in Cognac barrels, which add notes of toasted oak, plum, and dark fruits.
- Oaxaca : Mango Margarita Slush IPA. IPA brewed with lactose sugar, mango, lime, grapefruit & vanilla added.
- Oak Creek Pullman Porter : A very dark and full-bodied ale with its rich flavor coming from the caramel and dark roasted malts used to brew it. This traditional English ale exhibits coffee-like taste notes combined with definite hop bitterness and full malty flavor.
- Oregon Trail Raspberry Wheat : Classic Hefeweizen brewed with real, 100% natural raspberry fruit, NOT raspberry extract. Our Gold medal says it all!
- Stampede Stout : Bold, dark and rich with hints of cocoa & coffee and a surprisingly mild finish.
- Twist Away the Gates of Steel : Twist Away the Gates of Steel,” is our wheat/oatmeal stout brewed with a touch of milk sugar, and conditioned on 15lbs of ever-so delicate organic Ethiopian ardi sidamo coffee from our friends Georgio's Coffee Roasters, and brewed for Proletariat’s sixth anniversary party. Aromatics of freshly ground ardi (coffee), chocolate and sweet cream; subtle fruit, caramel, milk chocolate and cold brewed coffee on the palate. This beer is intentionally carbonated on the lower end of the spectrum for a silky mouthfeel.
- Sierra Blanca Pale Ale : This is a true American Pale Ale; well balanced malt to hop flavor. There is a slight caramel flavor up front derived from German Munich malts, followed by a citrus/grapefruit flavor derived from Cascade hops with a peppery flavor bite on the back of the throat.
- HBS Stout : Our collaborative effort for 2014′s GABF Pro-Am competition, this Smoked Irish Dry Stout was a category winner and Best of Show finalist for War of the Worts XIX (2014), brewed by Mike Dietz and Ryan Wilson from the Keystone Hops homebrewing club. This 3.8% ABV stout has the creamy mouthfeel, and roasted barley, chocolate, and coffee notes you’d come to expect from an Irish Dry Stout with the added complexity of smokiness from the use of peat smoked English malt. Don’t let the color fool you though; you can drink this stout for days, and at such an easy drinking ABV we think you just might try.
- Framboise : Our Belgian Abbey/Dubbel infused with 44 lbs of fresh raspberry purée. Not too fruity, just right. 6.0% ABV, 23 IBU
- IPA : Pale orange, light maltness. Hop profile of orange, passionfruit, peach,
- Third Ring Belgian Strong Ale : The third ring of hell is the ring of gluttony. This ale is big and high in alcohol. Don’t fall into the third ring by overindulgence. Light in color and body yet big on the Belgian flavor with slight fruity notes and plenty of residual sweetness from the candi sugar added late in the boil. Even though the beer has a high ABV, a traditional Belgian yeast was used and we aged the beer for just the right duration so it doesn’t taste or feel “hot.”
- 100 Barrel Series #14 - Saison : Our Saison is inspired by the classic Wallonian farmhouse ales of the late 1800's. Designed for consumption on the farm by fieldhands, these beers were intended to be crisp, refreshing, and sustaining. Brewed using a combination of Belgian Pale and Vienna malts with some torrefied wheat, the beer is hopped with a combination of Kent and Styrian Goldings, with a delicate addition of pepper and cardamom. Fermented at an unusaully high temperature, the resulting beer is dry, crisp, and complex. Enjoy!
- Late Harvest : An ever changing small batch blend that uses a farmhouse brown ale base with any number of herbs or spices carefully chosen by our brewers to make a complex beer unlike any other. It’s barrel aged for roughly one year and every vintage is different. Cellar for two to four years, depending on vintage.
- Easy Tiger : Easy Tiger is a 100% Brettanomyces Fermented IPA aged for 7 weeks in stainless and dry-hopped with Amarillo and El Dorado. Complex, funky, and fruity, this beer boasts tasting notes of grilled pineapple, black pepper, ripe peach, and dank earth, and is a prime example of Brettanomyces in primary fermentation.
- Black River : Dark, roasty, chocolately, and smooth with notes of vanilla. Brewed with oats, nitrogenated and served through a stout faucet for extra creamy mouthfeel.
- Red Ale : Brewed with falconers flight, chinook and citra hops. Starts with a caramel-like, fruity body and finishes crisp, dry and hoppy.
- Dragonmead Kaiser's Kölsch : A light colored version of the Alt Beer. This beer uses an ale type yeast at lager-like temperatures. What results is a smooth, almost fruity beer that is pleasing to the palate. A small amount of Wheat malt is used to give extra body to this otherwise "light" beer. Hallertau hops balance the malt but impart no hop aroma.
- Winter Porter : The darkest beer in our Storm of the Season line up comes out when the nights are longest. We use Dark Chocolate and Crystal malts to make this bold porter style ale. Enough East Kent Golding hops are used to flavor the brew. However, no aroma hops are added which allows the malt profile of this brew to take center stage.
- Ventura Fresa : Ventura County strawberries take the spotlight in this tart, barrel aged sour. We aged a golden ale in Chardonnay barrels with local strawberries for 6-months for a burst of bright, fruity aroma and flavor. Once in the barrels, Angel City Ventura Fresa undergoes a secondary fermentation where wild yeast and lactobacillus are added, resulting in a complex, aromatic sour bursting with California flavor.
- Pumpkin Bread : Dunkelweizen is a traditional German beer style that is characterized by the Bavarian Weisse yeast strain, which produces notes of banana and clove. The darker grains in this beer create the rich mahogany color and toasted bread character. The addition of real Pumpkin and our proprietary spice blend complement the banana flavor from the yeast, forming the perfect balance in our liquid interpretation of Pumpkin Banana Bread.
- Baby Bright : Baby Bright was carefully crafted to showcase the beautiful unadulterated hop character of Citra, Simcoe, and Amarillo in an easy drinking, clean, and light bodied package. This beer is fermented with clean American Ale yeast allowing the authentic hop character to shine through brightly. We taste tangerines, apricot, and candied grapefruit balanced by a soft bitterness that dissolves gently on the tongue. The hard working crew here at Tree House could not be more excited about this refreshing, easy drinking entry to our line-up. It is a study in balance, elegance, and restraint.
- Mr White : 17 IBU - Belgian Style grapefruit Witte w/ fresh zest of 200 Grapefruits, Grapefuit Pulp, and locally sourced Wheat and Barley
- Kamehameha's Crown Pinot Noir And Whiskey Barrel Aged Pineapple IPA : This special treat is a blend of our Drink This White IPA aged in an American Oak Pinot Noire wine barrel with Point Defiance IPA aged in a Dry Fly Wheat Whiskey barrel, and we've added a fresh taste of Pineapple. Both beers were aged for a combination of 12 months and then blended. Dry, Funky, and Fruity with a little hop character holding on at the finish.
- Mosaic Sunrise IPA : Brewed with 100% Mosaic hops and augmented by our new German-engineered hop extractor, Mosaic Sunrise IPA is an unsurpassed hoppy experience. Layers of tropical fruit & big, bright aroma create a refined and inviting Golden IPA.
- The Singularity Galaxy IPA : Our big, West Coast style, single malt-single hop (New Zealand Galaxy hops) IPA! This crisp and fresh brew combines the big hop and malt backbone you'd expect from the style, while still affording a surprising level of drinkablility. The hops invite you with an intense aroma of citrus and tropical fruit and once you dive into that glass you'll never look back.
- Mexican Donut : Dark Matter finished on vanilla, chocolate, and cinnamon donuts from The Holy Donut and roasted Fresno chilies.
- Three Musketeers Wheat Ale : Brewer's Notes: Baird Three Musketeers Wheat Ale derives its name from its incorporation of three different world varieties of malted wheat (English, German and North American). Wheat, as compared to barley, lends what we believe to be a crisply tart and softly fruity character to beer. Moreover, the relatively high content of complex proteins in wheat contribute a robust body and mouthfeel to the final beer. Three Musketeers Wheat Ale is fermented with our standard ale yeast and thus fits stylistically with the genre of beers known as American Wheat Ales.
- London : Pilsner, pale crystal and dark crystal malt.
- Beam Bock (Jim Beam Barrel Aged) : Aged in Jim Beam barrels. Medium bodied, malty lager, with big flavors of vanilla, bourbon and chocolate. The color is a brilliant dark ruby. Smoooooth. Nitrogenated.
- Athena : Athena uses the wisdom of the West Coast with dank, dripping flavors showcasing the Chinook Hop. Along with the War on the East Coast with notes of tropical mouth watering fruits.
- Part & Parcel : We couldn’t be happier and more excited to introduce Jester King Part & Parcel — the first beer in modern history brewed with 100% Texas grown and malted grain. For four years now, Blacklands Malt in Leander, Texas has been on a mission to create the first Texas grown and malted barley. That mission, led by Brandon Ade of Blacklands, became a reality back in October when he delivered us a dark Munich malt called “Endeavor” made from 100% two-row winter barley. The malt was grown near Brownfield, Texas, close to Lubbock. We were honored Brandon entrusted us with making a beer from this historic malt.
- Spread Eagle : Spread Eagle is a dark sour beer with a light body and a low starting gravity brewed to accentuate the roasted flavors of the malt. A pre- and post-boil spontaneous fermentation with local yeast and souring bacteria from downtown New Braunfels gives Spread Eagle a crisp acidity and a unique flavor native to our town.
- Hoppin' Hare IPA : A classic American style IPA that begins with floral notes, citrus, barley, and caramel on the nose. The ale starts bitter on the tongue with flavors of citrus fruit in the middle and a lingering bitter finish.
- Das Scheuerleinerweizen : Briskly refreshing, this traditional German style Hefeweizen is intentionally cloudy. Bursting with fresh fruit and banana flavor, Scheuerleinerweizen is a delectable treat.
- Alpha Male IPA : A juicy citrus and orange grapefruit flavor profile , as if fresh hops were squeezed straight into your glass. Alpha Male is a beer for hop lovers.
- Gal Friday (Guava/ Passionfruit) : Berliner Style Weiss fermented with our house Brett then conditioned on fruit 
- The Carpenter’s Mikan Ale : Brewed with Mikan fruit and peel.
- Milkshake IPA - Peach : IPA brewed with wheat, oats, and lactose sugar. Fermented atop white peach purée and vanilla beans. Dry-hopped intensely with Mosaic and Citra. Notes of fragrant white tea, juicyfruit, peach ring and tropical musk.
- Bourbon Barrel Barleywine : Our malty English Barleywine spent its winter hibernating in Heaven Hill bourbon barrels. The resulting beer's natural notes of caramel, toffee, and stone fruit combine with the barrel's contributions of vanilla, oak, and bourbon.
- Jeremiah Red Ale : A Silver Medal winner in Strong Ales at the 1996 Great American Beer Festival. This Irish-style strong ale is brewed with a secret blend of five imported specialty malts. Not too hoppy in order to emphasize the complex malt flavor and fruity aroma.
- Tundrabeary Ale : A slightly tart, refreshing light ale made with raspberries, blueberries and other natural fruits. Just as the cinnamon black bear on our label craves the flavor of mountain tundra berries, you will find this brew to be irresistibly delicious.
- Barracks Brown : Dark brown and ruby hued, this ale expresses notes of espresso and chocolate. Very approachable, Wild Rose Brown Ale is mildly hopped with a medium body and a clean finish. Don't be afraid of the dark. Get down with the Brown.
- Perley Town IPA : An English Style IPA full of hops, a touch darker, and with a fuller body than others, this is perfect for those who enjoy a hearty drink.
- Navigator Doppelbock : Navigator Doppelbock is a traditional strong dark lager, brewed with a Munich malt base for richness and depth of flavour. Navigator was hopped with restraint and cold fermented with our true lager yeast to showcase the quality ingredients and the craftsmanship of this beer.
- Tart Of Darkness : Tart of Darkness is a traditional stout that we aged in used oak barrels from The Bruery that had previously housed beers such as Cuivre™ or Black Tuesday®. We then brought them over to Bruery Terreux, added our special blend of souring bacterias and wild yeasts and watched nature take its course. The result is a perfectly tart yet awesomely dark and roasty, sour stout. Not a style you will see very often, and in our opinion, not a style seen often enough. This unique stout has notes of tart plums, roasted coffee, vanilla and oak.
- Cactus Head : Double dry-hopped with Mosaic Lupulin powder, Citra and Motueka hops. This IPA features juicy tropical fruit flavours and aromas. The addition of white grape must gives the body extra complexity and juicy qualities.
- Chicory Mocha Porter : One of our co-founder’s original home-brew recipes—a robust Porter amplified with roasted chicory root. Roasty and fairly dry, with a pronounced coffee note from the chicory. Features the rich character of darker malts without the sweetness of many higher ABV porters. Bitterness is moderate and hop character is low to none. 
- Funky Prowler : Funky Prowler is a barrel aged dry irish stout. It has a complex flavor profile from the roasted malts combining with the house sour yeast cultures. Starts our smooth until a sharp sourness surprises the palate before ending in dry roasted finish. The tasting notes of black cherry and deep rich berries comes from the house yeast interacting with the dark malts.
- Aleister Double IPA : Brewed and dry-hopped with 3 pounds per barrel of Amarillo!!! Dry in the beginning, with a nice malt middle and a huge hop finish, this big I.P.A. brings notes of bright fruit and citrus. Miiiiiiiiister Crowley!!! What went wrong in your head? Oh, Mr. Crowley, did you talk with the dead???
- So Icyyy - Boysenberry Push Pop : Boysenberry Push Pop is an America Sour Ale brewed with milk sugar and aged in red wine barrels. We then heavily fruited with Boysenberries and added a touch of Blackberries and Ugandan Vanilla. This beer should be enjoyed at around 50-55F to allow the vanilla and wine character to really shine.
- Community Kölsch : Clean, crisp, delicately balanced beer. Subtle fruit and malt flavor with a crisp tangy finish.
- Freshly : IPA brewed with a big dose of oats, dry hopped with Galaxy, Citra and Australian Enigma. Fruity and tropical. Brewed in collaboration with Alvarado Street Brewery.
- Olly : A foudre & barrel aged sour brown ale blend of 2 & 3 year old vintages. Dark fruit notes of plum and red currant, with malty, caramel undertones and a pleasantly sour finish.
- Modern Artisanal Tragedy : Honey Saison brewed with a dash of pink peppercorn and a touch of grapefruit purée. Brewed to seamlessly compliment our Frizzy Finger salad.
- Cloudwater / Boundary - Waterfall : This DIPA, brewed with our pals Boundary Brewing, was dry-hopped in two stages - using resinous Cryo hops during fermentation and a charge of Citra BBC after - to pack plenty of lush stone fruit, tangerine and melon flavours.
- Pumpkin Crop Lager : The 2012 harvest on our Mom & Pop’s farm was fruitful and this brew uses 100 fresh pumpkins and 40 organic squash. We prepared, cooked, and pureed all the gourds with the help of our friends at Carrie Anne’s Modern Diner. A blend of autumn spices adds to the intense pumpkin flavors. Uses locally grown Triticale from MA.
- DustStorm IPA : This fourth installment in our Storm subseries delivers a category 3 hit of hop dust to your tastebuds. This hazy IPA is whirlpooled with Ekuanot, Simcoe and Mosaic lupulin powder. It was then dry hopped with even more Ekuanot, Simcoe and Mosaic lupulin powder creating light, crisp and slightly dank flavors of grapefruit and apricot.
- Changing of the Saisons: Volume 1 : We wait for it every year--that shift from long, dark days to those filled with sunlight; cold gusts of wind to warm wistful breezes. This shift from winter to spring is what keeps New Englanders alive. And this beer is our tribute to it: The Changing of the Saisons. Embrace the subtlety of the belgian yeast and simple malt build. We allowed this beer to free rise, creating a light-bodied, smooth finish. You’ll get a little subtle sweet notes with a warm, spicy finish. Grab a glass and shed a layer, friends. It’s spring.
- Imperial Stout : This Imperial Stout is brewed with over 1-1/2 times the malted barley of a normal stout. High quality Belgian black malt and caramel malt contribute to the wonderful chocolate, coffeem and toffee characteristics. Belgian yeast is used to add flavorful esters and complexity. Three varieties of hops are boiled to balance the malt with medium bitterness and hop aroma.
- Scratch Beer 231 - 2016 (Chocolate Stout On Nitro) : Six different malt varieties, cacao nibs, dark chocolate, lactose, oats, and vanilla combine to produce a decadent Chocolate Stout with a lush, velvety texture and rich, smooth finish.
- KSA : KSA combines a thoughtful mixture of American bittering hops and traditional German malts to create a complex yet crisp take on the Kölsch style. Munich and Vienna malts construct the beer’s robust, rich grain flavor, while Saphir and Warrior hops bring balance through a clean finish. KSA’s old-school style, blended with bright, updated ingredients, makes this beer a classic on both continents.
- Pumpkin Cranberry Farmhouse Ale : Hazy honey in the glass with ginger, coriander, and cranberry on the nose. Complex palate includes mellow fruit and spicy ginger on both sides of the tongue. Smooth finish, with pumpkin adding body.
- Imperial Beanhead Coffee Porter : A bigger version of our Beanhead Coffee porter, we essentially doubled the ingredients. This made the beer much bigger and more complex, with notes of dark roasted malts, dark chocolate, and thick chewy coffee. The coffee, as always, is from our long-time collaborators at Java Love!
- Bamboozleator : This traditional Doppelbock is full-bodied and deceptively smooth, with notes of caramel and dark fruit. It has a sturdy malt presence and a rich, bready finish.
- Bourbon Barrel Aged Dark Lord De Muerte : Dark Lord aged in bourbon barrels with ancho and guajillo peppers.
- Smoked Scottish Ale : Our Scottish Ale has a rich, complex, deep malt character and a fair amount of residual sweetness, some smokiness, and a low level of hop bitterness. Great with our smoked meats.
- Dweller White IPA : An Imperial White IPA. Hopped with Amarillo, centennial, chinook, mosaic, and simcoe. Made with grapefruit peel, coriander, and peppercorn.
- Shifting Gears IPA #14 : Brewed with large doses of Wakatu, Amarillo, and Citra hops for a fruity, juicy, citrus bomb in a glass, this is GBC's second iteration of a "New England IPA."
- Shorthorn American Pale Ale : Just like the lovers of fine stock who raised ‘improved’ Shorthorn cattle in the barns across from Old Bust Head, we’ve raised the bar for an American favorite with our Shorthorn American Pale Ale. This fine brew starts off with lemon and grapefruit notes on the front end, followed by spicy tones, and a clean, soft, bitterness, and finishes with a touch of malt sweetness. Shorthorn, like its namesake, is a gentle giant that commands attention!
- 2200 Lbs Of Sin : Barley Wine-style ale, aggressively hopped with notes of dark fruit.
- Tennessee Dessert : Imperial Stout aged to perfection in whiskey barrels. Removed and aged on dark chocolate...then nitrogenated to extra silky smooth goodness!
- Casey : Casey is a farmhouse ale built by the inspiration to share beer with people close to heart. She is pale, tart, delicate, complex with a bit of pleasant funk, and dry hopped with a touch of Nelson Sauvin. This beer is unfiltered, unpasteurized, naturally carbonated and will continue to evolve over time if properly cellared.
- 5 Grass : 5 Grass is a refreshing yet substantial beer that is pale in color and nicely hoppy. With this beer, we wanted to invoke the brisk, clean aroma of the desert. The recipe makes use of three unique hop varieties as well as some carefully chosen herbs and spices - juniper, sage, and Tasmanian pepperberry, among others - to give a beautiful outdoorsy scent. With it’s smooth clean malt flavors and a unique, complex nose, 5 Grass is like a refreshing walk in the wide open spaces.
- Doubleganger : This beer was conceived with the intent to push the concept of Doppelganger to the limit of flavor and intensity. Both the kettle hopping rates and dry hopping rates were increased while keeping the base beer the same. The result is intense, but also surprising in its balance and softness. The mouthfeel is viscous and coating with flavors of overripe mango, dank citrus, and tropical fruit balanced by a sharp but pleasant finish. A treat to warm you up as a true New England winter takes hold!
- Flippity Flop IPA : Triple milkshake IPA fruited with peach and mango. Smoothed out with lactose milk sugars and vanilla you'd be hard up to find the 10.7% ABV in this beer.
- Spiral Jetty : Spiral Jetty India Pale Ale is the launching point in our series of hoppy IPA brews. Spiral Jetty IPA has an aggressive hop profile (five different hops used here with two in the dry hop) presenting citrus, floral, resinous or pine aromas and flavors typical of American hops and a nice pleasant, cleansing bitterness on the finish. The dominance of the hops helps to balance the complex malt flavors and the higher alcohol content.
- Penalty Bock : Low alcohol bock-style beer made with pale and dark wheat, Munich malt, and special B malt. An easy drinking dark lager.
- 11th Hour : 11th Hour is a coffee Milk Stout. Brewed with loads of flaked and chocolate malts, 11th Hour boasts a luscious mouthfeel and a rich chocolatey finish balanced by late additions of Fuggle hops. A generous dose of single origin dark roast coffee cold steeped during secondary fermentation balances a decadent and creamy malt backbone.
- The Angry (Dan) Brown Ale : Our brown ale is brewed with a blend of different malts, including roasted malts, which results in a dark brown color and intriguing malt flavor…smooth and eminently quaffable.
- Beer Attack : Beer Attack, a smooth Irish style Red Ale that is hand crafted in small batches boasting the finest organic Perle and Fuggle hops along with six different organic and one non-organic malts. Brewed and infused with “curiously odd” ingredients, Dr. Jekyll’s Beer Attack exhilarates the senses through its complex flavors and aroma by combining a touch of cinnamon with a mildly sweet, nuttiness along with a hint of smokiness from imported peated malt. Super foods such as cinnamon oil, garlic, hawthorne berry, maqui berry, algal oil and flax seed oil are all blended together in perfect unison to make your heart and senses sing!
- Schwarzbier : This “Black Lager” gets its dark hue from roasted specialty malts with a nice hop finish caused by the use of our hop jack with whole flower Saaz hops.
- Imperial Jo : Imagine the rich roasted malts, smooth mouth feel and subtle sweetness of our award-winning Milk Stout, kicked up a notch or two, by the infusion of dark-roasted, small batch coffee from our friends at Lancaster County Roasters. At 8% ABV, cracked coffee beans in the mash, coffee in the boil and cold brewed espresso in the finished beer, just think of Imperial Jo as Milk Stout's rowdy big sister.
- City Beer Store 10th Anniversary BA New Orleans Coffee Milk Stout : Brewed with our friends in San Francisco, City Beer 10th Anniversary Ale was inspired by New Orleans iced coffee. This hearty stout was brewed with lactose, chicory, and coffee before spending six months in bourbon barrels. The result pour dark with an herbal aroma, deliciously creamy mouth-feel and rich, luscious flavor.
- Oui, Chef : Oui, Chef is a straw-colored farmhouse ale brewed with European spelt and two types of fennel. We use both fennel seed and fennel pollen at different points in the brewing process to layer in the complex savory and herbal notes from the spice. Originally brewed as part of our Chef Collaboration series in 2012, this beer was designed by our brewers and Chef Gabriel Rucker of Le Pigeon Restaurant in Portland. 
- Sweater Weather : Double dry-hopped NEIPA with passion fruit and guava
- Marionette : Marionette is an amber colored Oat IPA bursting with bright citrus flavored American hops and fermented with our house English yeast strain. Flaked oats lend a full and silky mouth feel and are accompanied by grapefruit, orange peel, and persimmon flavors that coat the mouth. This unique IPA finishes with a drying marmalade end and a wonderfully full body thanks to the hops and oats.
- Pendulum Pale Ale : 100% Brettanomyces Claussenii fermentation finds fruity equilibrium in this deep golden pale ale. Peach and mango oscillate between grapefruit and orange citrus. Dry, soft bitterness, with an easy nudge of nutty malt on the finish.
- Trinity : This light, refreshing beer belies its high alcohol content. A blonde ale with a slight sweetness and works well with the Belgian character of the beer; fruity grape flavours and slight spice come out as it warms.
- Lorita : Passionfruit Pale Ale
- Schwarzbier : Description: Denali's Schwarzbier is an ode to Alaska's Raven, a well-known trickster with an attitude. We blended traditional Pilsner and dark German malt with light noble hops, conjuring up subtle flavors of chocolate and coffee that gives way to a crisp, clean lager finish. This wintry beer is sure to fool your palate in the most pleasurable way.
- Dry-Hopped Internal Contradictions : Pleasantly Tart, Grapefruit Pith, Currant, Fluffy Dough.
- Christmas Bonus 2014 : Brewed with German and British specialty malts and malted otats. It has a subtle sweetness and light spiciness, as well as a hint of fruitiness from the addition of Italian plums.
- Dull Fangs : IPA brewed with Grapefruit.
- It's Not Yours, It's Mayan! : Third anniversary stout. Barrel aged, ancho chilis, dark chocolate, vanilla beans.
- Gouden Carolus Noël / Christmas : For more than 35 years we had to miss the Christmas beer but in 2002 the tradition was restored with Gouden Carolus Christmas. It’s a strong, dark ruby red beer with character and contains an alcohol percentage of 10.5 % alc.vol. Brewed in August, the beer rests a few months to reach an optimal balance. Three kinds of hops and 6 different kinds of herbs and spices define the rich taste of this Christmas beer. Top-class!
- No Motion Detector : When you're in so deep that you can not see... No Motion Detector! Brewed with Rye and Munich malts and generously hopped with Simcoe, Chinook and Zeus, we bring you another new IPA. Spicy, light lemon marmalade, fresh squeezed grapefruit, caramel honey and a cherry back note are just some of the flavors you'll get while sipping this one in the dark. And if it's still light outside, close your eyes and enjoy the hoppy freshness!
- Alternate Takes #4 : We laid down in the spring of 2016 in second-use French oak barrels and barrel-fermented it with Brettanomyces bruxellensis. Then we blended the barrels together with apricot and refermented it with a Belgian saison yeast. It’s juicy, tart and funky with strong notes of apricot, stone fruit and citrus.
- Enjoy By Unfiltered IPA : In most cases skipping a step is a bad thing. Not this time. This version of Stone Enjoy By IPA omits the part where we filter out the extra yeast, hop sediment, and proteins that build up in beer as a natural result of the brewing process. Though it may sound it, this missed step was no misstep. By letting this IPA go unfiltered, its peach and tropical fruit hop flavors are amplified while its golden-hued color takes on a hazy appearance. Like its filtered counterpart, this IPA is brewed specifically NOT to last, and is shipped immediately to ensure hopheads get their hands on it as soon as possible.
- Passionate Pilots Wet Pants : Our summer seasonal this refreshing ale is brewed with fresh passion fruit. This fresh fruit blends with the hops to create a wonderful summer treat. The high amount of wheat in the malt bill also creates a smooth creamy mouthfeel. Like any wheat beer it will appear to be a little cloudy but will pour with a great head that will maintain itself and create lacing on the glass as you enjoy each sip.
- Marsh Tacky : Intensely-roasted and dark chestnut in color, with a dark tan head of creamy foam, we have hopped him up with Galena, East Kent Goldings, and Mt. Hood hops. The flavors will last, and last…
- Starman : Starman is a Pale Ale filled up with Simcoe, Citra, Amarillo, Columbus, and Mosaic hops. Bright aromas of grapefruit, apricot, and citrus, finishing clean and dry.
- Jackson's ESB : ESB, short for extra special bitter, is an English style ale characterized by a rich caramel malt flavor and assertive hoppiness. In Britain, most ales are bitters which are organized by strength into ordinary, special and extra special. The fruity undertones in the flavor of Jackson’s ESB are provided by an imported English yeast.
- Embrace The Funk - 3 Degrees South : Our friends at Upland Brewing Company travelled 3 Latitude Degrees South to Nashville for this special collaboration. A careful blend of Bourbon and Syrah Barrel Aged Yazoo Oud Bruin with Upland's Cherry Lambic and Dantalion Ales. This complex dark sour ale is rich with dark fruit character, layered barrel character and pleasing tartness.
- Red Poppy : Perhaps no country embraces the use of fruit in beers more so than Belgium. Numerous traditional as well as regional specialty ales are infused with every sort of fruit imaginable. In this way, the flavor of the fruit becomes especially prominent.
- Parabajava : Parabajava ia an ongoing series exploring the infusion of coffee into our Parabola Barrel Aged Imperial Series. This first offering is a collaboration with the famed Intelligentsia Coffee Company, utilizing their El Diablo espresso blend. This beer was crated for our June 16th Father’s Day brunch at Lot 213 in L.A. The coffee brings intense coffee house espress aroma - roasty carmel, toffee, molasses and fresh ground coffee notes. The flavor melds well with the big rich character of the stout - complementary roasty flavors, dark baker’s chocolate, and more caramel which pairs well with Parabola’s rich malt and smokey oak bourbon notes. The finish is amazingly smooth and integrated.
- Altbier : Altbier is a German ale, which literally means old beer. This is not referring to the age of the beer but rather to the pre-lager fermentation method of using ale yeast. Amber in color, the Althas a clean flavor, which is similar to a dark lager but with the addition of noble hops from Germany with a light biscuity flavor.
- Circle Of Wolves - Bourbon Barrel-Aged : Circle of Wolves is our beloved English barleywine that we created with intentions of spending extended periods of time in barrels. Clocking in at 12.8%, this batch spent 20 months in a mix of Heaven Hill and Four Roses Bourbon barrels. It then spent another 1.5 months in the bottle. Full bodied with beautiful notes of raisins, dark fruits, honey, Bourbon, and maple syrup. We genuinely believe that bourbon barrel aged Circle of Wolves is one of the most elegant beers we’ve released and we are beyond pleased to share this one with you. The second vintage of this beer will not be released for over 12-18 months, so grab this one while you can.
- 07712 - Centennial : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07712 is the dubviant tuned up with a third Centennial exclusive dry hop inspired by the places that get it in Asbury Park. Centennial tips Dub’s mix of dank resins and tropical fruit aromas with crunched floral thunder. Drink 07712 and wonder at the wonder of gorgeousness and gorgeosity made dank.
- Spilt Milk : Classic milk stout, the use of lactose sugar adding a rich and creamy smoothness to the body and a touch of sweetness to the flavour. Specialty dark malts provide flavours of coffee and a big hit of chocolate.
- Braveheart Chest Beater Bourbon Oak Aged Scotch Ale : Bourbon Oak-Aged Scotch Ale , wee bit heavy , malty toasty caramel notes , roasty bitter backbone , notes of vanilla , dark chocolate and burnt sugar , can head-bang haggis into submission , highland heartiness balances herby lamb stew , drink before caber tossing your in-laws.
- 5 Rabbit : 5 Rabbit is an elegant beer that shows hints of light caramel and honeyed malt notes, carefully balanced with a sophisticated European noble hop aroma, with fruity and spicy flavors.
- Wild Oats Series No. 28 - Staghorn : Staghorn is collaborative project from Beau’s and beer writer Jordan St. John, and was brewed in celebration of Toronto Beer Week. This Belgian Golden Ale was brewed with pilsner and wheat malts, Belgian Cascade hops, agave nectar, and hand-picked Eastern Ontario staghorn sumac berries. Mingled aromas of spicy cloves and white grapefruit are forward, with flavours of bubblegum and more grapefruit, as well as tart lemon courtesy of the sumac berries. The body is crisp, highly carbonated, and finishes dry.
- Go Go Gadget Guava Gose : This cloudy fruited gose is tart and refreshing. A guava heavy aroma leads to a crisp, tropical flavor that finishes with a touch of lingering salt. 168lbs of guava and just 13oz of pink Himalayan salt went into this beer to create the perfect ray of sunshine to brighten these rainy NW days.
- David : Barrel-Aged Saison with Honey, Mangoes and Passion Fruit
- Barrio Nolan's Porter : A dark but mild ale that light will just barely pass through, this medium to heavy bodied beer has a light hop character so the malts can do the talking.
- Dunkel Weizen : Wheat malt sweetness & chocolate malt roastiness are balanced with a subdued clove & banana flavor and aroma in this dark copper German classic.
- Yellow Card : Crisp and refreshing blonde ale brewed with Mount Hood, Golding and Citra hops. Subtle notes of melon, passion fruit and lime in the aroma. A real thirst Quencher.
- Solstice D'été Aux Cerises : The dominant sourness of Solstice D’été is a result of letting the un-boiled mash do its thing for a few days. The interesting sour character this develops is further complemented by the addition of a heaping pile of whole fruit shortly thereafter. The result is an incredibly refreshing sour ale where the fruit is allowed to carry through without restraint.
- Quantum Wobble : Berliner Weisse fruited with Guava, Mango, and Blood Orange. // Super refreshing with a strong fruit flavor and soft acidity.
- Big Red Imperial Red Ale : Warm amber hue with a slight haze. Caramel sweetness & slight floral hop on the nose. Rich & sugary malt taste & hint of dark cherry. Sweet finish with a little alcohol tingle.
- Double Dragon : Double Dragon has an ABV of 4.2%. It is a full drinking, premium Welsh Ale, which is malty and subtly hopped. Double Dragon has a rich colour and smooth balanced character. This deep copper red ale has a tangy red fruit flavour with nutty, toffee overtones.
- Cantillon Iris : From the brewery's website: "Although it is a spontaneous fermentation beer, the Iris is very different from the Lambic. The amber colour and the bitter and slightly caramelized taste make it a complex beer."
- Firestone Walker / Wild Beer Co. Violet Underground : The Rainbow Project paired seven UK and US breweries with one of seven colors of the rainbow, creating the theme of the brew. We drew violet. What followed was left to the imaginative and creative spirt among the collaborators. Violet Underground represents a partnership between The Wild Beer Co. and Firestone Walker Brewing Co. A cuvée was born from Somerset Wild, a newly minted Golden and Sunrise Raspberry ale, and Barrelwork’s blending warhouse, Cowbell. Proprietary yeast from both sides of the Atlantic, fresh local California fruit and French candied violet petals went into the cauldron. The resulting potion is bursting with ripe fresh fruit, a hint of violet petals and anchored by a funky yeast foundation. A quenching acidity and lively carbonation rounds out the collaboration. A santé!
- American Wild Ale With Raspberries : This barrel fermented golden ale showcases the earthy nuances of Brettanomyces with the bright and fresh quality of red raspberries. Pour a vibrant cerise topped with a spritz white foam cap, this wild ale exhibits loads of Brett aromatics with straw, oak and subtle tropical fruit leading the charge with soft, rose and green tea aromas complementing the tart and juicy raspberries. Fresh and bright raspberry flavor bolstered by green grape fades to clean and light malt notes with an earthy quality. The finish is bone-dry and complemented with light oak tannin.
- Camp Sounds : American black coffee IPA brewed with Carrier Roasting Co. beans. Is it a hoppy American Stout or Porter or is it a Black IPA? Whatever it is, it's exactly what you want. We brewed this dark ale with a the base of a stout in mind. Loads of specialty malt give this beer a dark appearance and perceived notes of coffee and chocolate. We then hopped this with a large amount of pine and citrus forward hops to bring it more towards the IPA style. We heavily dry hopped it and rested it on over 2 lbs / bbl of Carrier Roasting Co. Burundi Ninga whole coffee beans. It's not a style, it's just a great beer. 
- Black Boar IPA : Our Black Boar IPA is both darkened and well-balanced by eight different malts. Dry hopped with Galena and Cascade hops, this big pig is smooth, majestic, and full of hop character.
- Shallow Mud Rye Stout : Taking its name from an impromptu blues song, this stout has a complex malt profile featuring roast flavors balanced by caramel malts. Rye is used in small portions in the grain bill for added layers of flavor. Balanced by light additions of Nugget and East Kent Golding hops, this stout maintains those light roast flavors and a touch of caramel sweetness.
- Mother's Milk Stout : As the name implies, Mother’s Milk is a dark and creamy milk stout. Hints of oatmeal, chocolate and of course, milk make this brew have a remarkably smooth and silky finish, a classic example of the style.
- Scratch Beer 198 - 2015 (Helles Lager) : Arguably more than any other beer, the Munich Helles Lager represents the deep-rooted tradition of German brewing. The word “Helles” (German for “light”) offers the perfect descriptor for this pale, straw-colored, thirst-quencher of a beer. With origins in Munich, Germany, the Helles style displays some attributes of a Czech Pilsner, such as its biscuity malt profile. Hallertau (regarded as the classic German noble hop variety) lends itself to this traditional style, offering subtle bitterness with hints of wildflowers and citrus fruit. Simple yet artistic, Scratch #198 offers an abundance of rich, malty sweetness with an underlying spicy citrus note, then finishes slightly dry and clean on the palate.
- Gin Barrel-Aged Honey Ale : We start by brewing a light-bodied honey ale with local honey from Ames Farm and Sorachi Ace hops. We finish off this complex brew by aging it in gin barrels from J. Carver Distillery, giving your taste buds a hint of juniper berries, coriander and select botanicals.
- Drew’s Hand : This well balanced slightly sweet stout balances the coffee like notes with chocolate flavors. Note, there is no coffee or chocolate in this beer – just water, grains, hops, and yeast! This stout is very approachable and quite sessionable. The more you have, the more you will pick out subtle flavors. It appears to be a simple stout but it actually is one of the most complex beers we make. Jeff is a “stout guy” (in more ways than one) and took him about 12 years to perfect this recipe. When he perfected it, he had his nephew Drew brewing with him. Drew was around 8 years old and stuck his hand in the water tank that would be used to make the beer. Drew claims that the recipe was perfected with his “hand” hence the name! This stout has five different grains and is drinkable all year round.
- Double Black IPA : This double black IPA has a distinct dry-hopped presence with subtle roast and caramel touches. It is slightly sweeter and more bitter than the Cascadian Dark Ale.
- Honey Sucker Pilsner : Honey Sucker Pilsner is straw to orange in color with aromas of orange, pollen, and honey suckle. This German Style Pilsner is brewed with German malts, American and German bittering hops, and local orange blossom honey. This beer's floral bouquet of aromas, crisp bitterness, fruit and honey flavors, and easy going finish are in line for the season change from Winter to Spring when flowers are blooming and sun is shining.
- Dunkelweizen : Dunkelweizen, or “dark wheat”, beers are complex in their combination of chocolate and roasted malts with the traditional banana, clove and vanilla flavors that characterize hefeweizen beers.
- Sour Me Not Caju : The latest adition to our Sour Me Not series features a special fruit typically found in Brazil, the caju. From northeastern of Brazil, with sweet peel flavor and coloration ranging from red to yellow, its original name caju literally means “nut that produces itself”.
- Organic Raspberry : Handcrafted at the tiny All Saints Brewery set in a time warp in Stamford using the old manually operated brewing equipment. Finest organically grown barley and wheat are used to create a complex ale which, having undergone primary and secondary fermentation with different yeasts and extended maturation, is taken to Samuel Smith’s small, independent British brewery at Tadcaster. There it is blended with pure organic raspberry fruit juice and a previously cellared organic brew - creating an unparalleled fruit ale . The smooth distinctive character of the matured beer serves as the perfect counterpoint to the pure organic fruit juice.
- Bozone Montana Common : Named for the steam beers of the California gold rush era, this lager’s bitter and dry, medium body is offset with a touch of fruitiness for an ideal session brew that deserves a cheers.
- Private Rye Bière De Garde : This lager is brewed in the French farmhouse style. We add our own twist by adding 30% Rye Malt, locally grown Triticale from MA and amber Belgian candy sugar. We leave this beer slightly hazy to accentuate the mild fruity yeasty character. Copper in color, a spicy Rye flavor emerges in a dry yet malty finish after lagering for five weeks near freezing.
- Country Shwheat Imperial Wheat Ale : Are you ready people? The Country Shwheat Imperial Wheat is about to drop! This 7.6%, 46 IBU monster is set to delight your tastebuds with wondrous notes of tropical fruits thanks to the generous use of Caliente hops! Look for it on draft to kick off Rochester Beer Week, then bombers a little later on throughout our distribution network. SHWHEEEATT!
- Holiday Ale : The CoStar Holiday Ale is derived from a recipe one of the brewers developed and received a bronze award at the National Home Brewers Competition. Capitalizing on the holiday tradition of cinnamon, cardamom, honey, orange, and cranberries, the drinker will derive the cozy feeling of being on the couch during a blustery winter snow day. A dark ale with full body is a great compliment to any holiday feast or outing with friends only seen a few times a year.
- Double Dry Hopped Sleeper Street : Same base grist as Sleeper Street IPA, but with a double dose of El Dorado in the dry hop. These El Dorado hops impart a powerful aroma of distinctive lime zest, along with notes of grapefruit juice, and a subtle woodsy earthiness. The taste is bright, floral, and citrusy hop upfront and finishes with candied lime. As with all Trillium “Street” IPA’s, Double Dry Hopped Sleeper Street is dry with medium-light body and a crisp finish.
- Kuhnhenn Simcoe Silly : This Pale American Belgo style beer was 2010 GABF’s silver medal winner. It has notes of spicy pineapple, mango bubblegum aromas which comes from the unique marriage of a special Belgian yeast and an American Simcoe hop. This beer has an initial soft malt sweetness with orange fruitiness and finishes with a hoppy dryness.
- Turkey On Rye : A blend of two different barrel-aged versions of the Six. One barrel was the luck recipient of one and a half gallons of chocolate syrup specially prepared for us by Alma Chocolate while the second barrel had some Urfa Biber added to it, a very dark sun-dried Turkish chile.
- Cowardly Giant : Named because of it strong 8.5% ABV but is still creamy and subtle with flavor. The nose is loaded with fresh fruit, mango, pineapple, grapefruit, and bubblegum.
- Freaks The Clips : Brewed with a myriad of local malt courtesy of Riverbend Malt House and fermented with our mixed house cultures. Fermented and aged in oak barrels. Once removed from the barrels, Freaks refermented on SC grapefruit and SC ginger. Blended with local sea salt courtesy of Outer Banks SeaSalt and smoked paprika. Conditioned naturally inside the bottle.
- Parcae Belgian Style Pale Ale : This beer is defined by its pronounced hop bitterness, flavor and aroma. It has a solid malt backbone that works with the citrusy American hops. The hop bouquet resonates like flavors of tangerine and ruby red grapefruit. The mouth feel is crisp and dry leaving a balance of bitterness and rich malt on the palate. It is golden honey in color.
- Brewer's Pale Ale (Nelson Hop Blend) : Brewers' Pale Ale is an aromatically complex, double dry-hopped American Pale Ale. The Nelson Hop Blend has a bright, citrus-peel and fresh-hop aroma, balanced with a slightly sweet finish.
- Carmen - Raisins : This is a blend component used in their sours, and until now has never been available by itself. Look for multiple variations (using different fruits) over the next year or so. Tap only, small batches.
- Breakfast With Churchill : Breakfast with Churchill is full of roasty smooth dark chocolate notes and balanced bitterness. With the addition of freshly roasted Colombian Coffee from our good friends at Glenn Edith in Rochester, it's a perfect start, or finish, to your day. 
- Struise / Blank Slate / Quaff Bros. Space Taxi #21 : A Belgian Strong Dark Ale with Sangiovese grape juice then aged in bourbon barrels.
- Surly Blonde : The Surly Blonde keeps watch over a bottle chock full of funky Belgian flavours and lots of alcohol! We brew this with a handful of herbs to give a very distintive note when the beer is young, and leave a bit of yeast in it so that it is able to mature over time, building complexity for the procrastinating (ie, patient) aficionado.
- Sierra Nevada Blindfold Black IPA : Blindfold blankets us in darkness yet maintains a surprisingly light body and bold, hoppy character. This black IPA emerged from our Beer Camp program and builds on Sierra Nevada’s legendary love of hops with roasted malts for depth and complexity. Like its namesake, Blindfold is a bit disorienting—the color of a stout and the intense, hop-forward flavors of a classic American IPA.
- Warmouth : This mind-bending 14% American barleywine is the outcome of our brewers' lust to dive to the deepest depths of liquid intensity. With the angriest ABV this area of our state has conceived, Warmouth, a beastly American Barleywine, had to be matured for an entire year to ensure the perfect harmony amongst heavy notes of fig, dark fruit and cherries. All wrapped up in a smooth, rich malt package, she's finally ready to show face at the party.
- Up River : Up River is a classic, aggressively hopped American pale ale, if that’s the direction you’re headed. This copper gem has a huge hop bouquet with floral, citrus and pine notes merging together in a steady stream of aromatic beauty. With just enough malt for balance, the hop flavors and aromas careen from resinous pine to grapefruit zest, finishing with clean, pleasant bitterness.
- Midnight Oil Stout : Quiet and sensual like a moonlit night, this complex blend of toasted oats, roasted barley, chocolate wheat malt and dark roast coffee imparts an intense aroma and complex flavor profile. We brew a traditional English-style oatmeal stout with a rich malt profile, then add locally roasted coffee while this ale is cold-conditioned.
- Mosaic Promise : Mosaic Promise showcases two unique ingredients: Mosaic hops and Golden Promise malt. The versatility of the hop’s pleasing aroma and flavor characteristics and the traditional barley’s depth of flavor comprise this clean, rich, golden beer. We can brew complex beers with the best of them, but we recognize that there is also beauty in simplicity.
- Dynamo Orange Chocolate Imperial Stout : This big, bold imperial stout tastes like the candy from your childhood with notes of orange peel and rich dark chocolate.
- 6 Foot 6 : Glacier hops, with some Horizon thrown in for a bit of bitterness, 2-Row and Caramel 80L malt, a golden color and white head. Smells of melon and candied fruit, tastes of pineapple and melon. 
- Midtown Brown : An easy drinking brown ale that finishes surprisingly dry for its dark color.
- McIlhenney's Irish Red : Our most versatile beer. Good to drink as well as cook with. Light enough to quench a thirst and complex enough to accompany fine dining. Caramel malty sweet fades to a chocolate roasty finish and dry from a touch of rye. 1.057 OG 13 IBU
- Wild West Hefeweizen : A blend of the finest malted wheat, Pale and Munich malts, gives this unfiltered Hefeweizen style Wheat Ale it's Golden color and signature flavor. German Weinstephen Weissen yeast contributes the fruity and spicy flavors found in our true Bavarian style Hefeweizen.
- Sierra Blanca Nut Brown Beer : This Nut Brown is brewed with English Ale yeast. In English tradition, we use only English Fuggle hops, which are low in bitterness and produce a mild floral hop taste. The complexity of this Nut Brown is created mainly by the Chocolate and Dark Chocolate malted barley. There is a roasted coffee flavor with hints of chocolate and nutty or nutmeg finish on the back of the tongue.
- Nighty Night : Our Imperial Stout has been aged in Rye Whiskey Barrels, Bourbon Barrels, and Cabernet Barrels. We’ve aged them to velvety perfection and are creating a complex and delicious blend we call Nighty Night. With an ABV of 9.8%* and bold aromas and flavors of coffee and chocolate - this beer is the perfect beginning of an exciting fall and winter of rich seasonal offerings.
- Bringebaer : Real fruit beer with loads of raspberries. Natural tartiness with a crisp flavour of berries.
- Green Blaze IPA : Blaze a hoppy trail. Guide yourself through the lupulin landscape of pine, resin and tropical fruit hop notes in this trail-worthy American IPA.
- Seizoen : "Our unfiltered Seizoen, with its beeswax seal, is naturally fermented and carbonated with pear juice and select yeast strains, producing complex, fruity and spicy flavors balanced with whole hops and a soft malt character."
- Contorter : Our porter is dark in color yet soft on the palate. English chocolate malts give it a complex, rich flavor wrapped in a silky smooth finish.
- Karate Church : Karate Church is a smooth and hazy pale ale with Experimental HBC 522, Citra, and Amarillo hops. This easy-drinker has notes of pine-citrus, tropical fruit, and key-lime pie.
- Abita Select Imperial Louisiana Oyster Stout : Our Imperial Oyster Stout is made with pale, caramel, roasted, and chocolate malts. Oats are also added to give the beer a fuller and sweeter taste. The roasted malts give the beer its dark color as well as its intense flavor and aroma. The flavors of toffee and chocolate are prevalent but not overpowering. The beer is hopped with Willamette hops. Since the beer gets so much flavor from the malts there is not a lot of hop flavor. There is just enough bitterness to compliment the sweetness of the malt. Finally, freshly shucked LA oysters were added to the boil. The salt from the oysters gives the beer a more intense aroma and mouthfeel.
- Bohemian Pilsner : his crisp German pilsner showcases new and heritage hops grown in the original hop gardens of Bavaria. The classic Noble hops offer a floral spiciness, while the new varieties add a fruity, citrusy character. Together, they create an elegant yet laid-back golden pilsner.
- Abita Select Double Kolsch : Our Double Kolsch is brewed with pilsner and wheat malts giving it a deep golden color and sweet malt flavor. It is hopped exclusively with German Perle hops which gives it a pleasant hop flavor and aroma. Since it is a "double" all of the ingredients are increased making it much stronger than is typical of the style. It is fermented with a special yeast from Germany giving it a slightly fruity aroma. The result is strong golden ale that is perfect for the summer months.
- Nine Locks IPA : Big, bold, and bitter! India pale ale was fashioned to survive the long voyage from England to India during the British colonization. Citrus, tropical fruit, pine, and floral hop flavours and aromas overpower the malty sweet body. First wort hopped, hop burst, and then dry hopped, our flagship IPA pairs perfectly with all things spicy or cheesy, and poultry or fish.
- "12" Belgian Golden Strong Ale : This Belgian Golden Strong ale is a recipe developed by Brian Richards of MI who won the B.O.S.S. homebrew competition and was able to brew his beer here. His beer was named Biere Bella after his daughter, and we are using it for our anniversary beer. It begins with a fruity aroma from the unique Belgian yeast. The medium-bodied maltiness is balanced with a slight spicy flavor and a hint of ripe fruits or honey in the background. The finish is clean and dry. There is a bit of alcohol warmth at the end, but please use caution as it is pretty smooth and drinkable.
- Imperial Porter : Created in 18th century London, porters were some of the first mass-produced and consumed beers of the industrial revolution. Porter evolved from a blend of brown and darker beers that were precursors to stouts. Tradition has it that these beers were favored by porters and other physical laborers. 
- PM Porter : This 2016 Gold World Beer Cup℠ award-winning dark ale is surprisingly smooth and drinkable. Caramel, molasses and chocolate flavors fill the palate. Its sweet start is perfectly balanced by a roasted dry finish. Nitrogen-conditioned.
- Saisontino : Collaboration with our estemmed guests from #PilsandLove Birrificio Italiano #Saisontino is a 5% #saison with a nearly 100% pilsner malt base and generously hopped with a decidedly European hop bill. Saaz from the Czech Rep., East Kent Goldings from Great Britain, Tettnang, and Hersbrucker from Germany and Celeia from Slovenia all went into the kettle, with a similar blend used to #dryhop the fermented beer. Such an array of low-alpha European hops gives a pronounced bitterness, but a delicate fruitiness. Think lemon zest and hay with an assertive bite.
- T.O.R.I.S. The Tyrant : Triple Oatmeal Russian Imperial Stout is rich, dark, and flavorful - the way we like it - this beer is intense! It has been long-awaited by our brewery as well as our fans. There comes a day when you break out of your shell, and stretch your wings. Now is the time - time for T.O.R.I.S.!!
- Henry's Irish Ale : Henry's Irish Ale, 5.6% alcohol is a full flavoured dark ale made with U.K. pale malt and roasted barley along with Fuggles hops to give it a nutty toasted flavour with gentle bitterness. Henry's Irish is named after Henry Strickland who was the owner of a brewery in Peterborough around the turn of the century. Henry's Irish Ale is our winter seasonal ale, available October through March.
- Ominous Octopus : IPA brewed in the standard Wren House hoppy beer style. Brewed with North American 2-row pale and Pilsner malts, a touch of Weyermann Specialty Malts Carafoam & a heavy hand dosage of flaked oats. Whirlpool hopped modestly with some Amarillo as well as some super high oil content Mandarina Bavaria. The beer was then dry hopped with the same at equal amounts totaling 3.5lb/bbl. This beer is straight up citrus on so many levels. Immediately there is an aroma of bottomless mimosas on a lazy Sunday afternoon, with little hints of tropical fruit cups in the background. The flavor is completely reminiscent of white grapefruit juice.
- Pale Galaxy : Galaxy and glacier hops provide a floral aroma with notes of citrus and tropical fruit. Light bready malt allows the tropical hop character to take center stage. All this adds up to an IPA that is out of this world.
- Beer Geek Vanilla Shake - Bourbon Barrel-Aged : In the beer geek breakfast series – the beer that really put Mikkeller on the map, we decided to shake things up by adding a truck load of vanilla to the french press coffee trick, creating a whole new dimension to the beer that are loved by freaks and geeks worldwide. Not only that, we then placed it in bourbon barrels for 8 months for a truly unique beer experience. It’s dark, dangerous, sweet and incredibly tasty as you would expect, but most of all; it’s ready to conquer your breakfast table routines. Please note: The label is the same as the regular version. This one comes with a limited edition yellow wax.
- Belgian Tripel : Traditional Belgian-style golden ale with complex aroma and flavor of plums, spice and bananas with refreshing balanced bitterness.
- Hop JuJu Imperial IPA : The magical hops cast their spell, the natives chant and the drums beat... First let us confirm that there is no witchcraft used in creating this fine brew. None. Really. Well maybe a little. A supernatural beer with a powerhouse of hops creating aromas and flavors of citrus, pine and tropical fruit with a juicy resiny hop finish. Hakuna Matata.
- Flora Obscura : Flora Obscura, literally dark flower, features massive dry-hopping, with Simcoe, Cascade, Amarillo, Mosaic and Galaxy hops over a robust porter base composed of two-row pale malt, two varieties of caramel malt, raw wheat and chocolate malt. Originally born as a test beer for our Tours & Rec Center, Flora Obscura explores the interplay of hops suggestive of orange, grapefruit and tropical fruit flavors with rich chocolate and espresso notes provided by roasted malts.
- Fall-elujah : At Beaver Island we love MN for all of the seasons, but there is a special place in our heart for fall. We figured the best way to pay tribute to our favorite time of year is with a new seasonal we affectionately call Fall-Eluiah; brewed with British pale, dark crystal, Munich and a touch of beechwood smoked malt from Bamburg, Germany. A dose of Golden Delicious pumpkin and a blend of spices is also added to give this beer a true Autumn touch. Enjoy!
- Hix Beer Brown Ale : Brown ale is a style of beer made with a dark or brown malt. 
- Habilis : Habilis is a Bipedal Double IPA, something of a riff on Alien Church, our extraterrestrial reptoid IPA. Brewed with an oat based grist, big additions of Cascade and Columbus, and a light dose of coconut oil in the kettle. Dry hopped with Alien Church’s regimen of Mosaic, Citra, and Chinook, but in altered proportions. We're getting a lot of pink grapefruit, lychee, and musky cedar notes out of it!
- Brewtus : From the shadows of a dark and opulent curtain spring the robust aromas of locally roasted coffee and hardy malt. Deep-seated hop bitterness rallies with these conspirators, delivering a well-balanced thrust of assertive flavor to a bland tyrant. Raise a glass in celebration of liberating taste. Et tu, Brewte?
- Brain Candy : ...named for the experience that our Belgian IPA encourages. There is nothing but art and science at work in this creation using Belgian yeast, rock candy sugar, domestic malts and aromatic hops to create a complex but palatable beer.
- Where Did We Come From? Am I A Bug? : Double IPA brewed with fluffy malted oats, raw wheat, and local wildflower honey. Hopped and dry hopped intensely with Galaxy, Citra, Idaho7, and US Cascade. Luscious and confused notes of unripe strawberry, pineapple, sticky green herbs, and peppery grapefruit rind.
- Never Never More More : Double fruited version of our blackberry Gose Never More. Never Never More More is completely saturated with thousands of lbs of blackberry purée. Jammy, thick, perfect level of acidity, and just a straight berry bomb.
- Dragonmead Castlebrite Apricot Wheat : Castlebrite is the first fruit beer to come from Dragonmead. This Apricot Ale uses an apricot puree as well as Pale Wheat malt to bring about this wonderfully refreshing brew. This beer starts with a subtle sweetness and slight apricot flavor, and finishes with a palate-cleansing tartness that will leave you wanting more.
- Kuhnhenn Gueuze : Gueuze is traditionally made by mixing one, two, to three year old Lambics, our version is very golden in color with aromas of apples and light fruit. Quite sour on the nose, with a light mouthfeel and mild tartness.
- Raspberry Imperial Three Blind Mice : Raspberry meets Imperial Three Blind Mice for a fruity, sweet, slightly tart, and incredibly indulgent treat.
- Thunder Canyon Bees 'n' Berry : Our blackberry honey ale, made with over 600 lbs of fresh fruit and just the right amount of honey, has a beautiful deep ruby red color and blackberry flavor and aroma.
- Ginga Kogen Weizen : “Ginga Kougen Beer” is a “Hefeweizen” style beer a yeast wheat top-fermented beer brewed with more than 50% of wheat malt. It is unfiltered beer distinguished by its fruity aroma and pale color.
- Atlas Blonde : Light and crisp with a fruity hop aroma. The Atlas Tree stands in an old growth grove named "Atlas Grove" in Prerie Creek State Park that contains a number of the largest trees.
- Luminary : Persimmon is a native species of fruit bearing tree in North America. Paired with Peach and Pineapple, these fruits come together in wonderful harmony, with each delivering their own wonderful flavors and aromas on a foundation. Dry hopped with Galaxy, inviting aromas of passionfruit and citrus hop character meet the nose alongside rich fruit notes of banana, pear, peach and mango. Flavor is mildly tart, with rich peachy tropical notes balanced with delicate hops. Finish is dry, with lingering Galaxy impact. (On Bottle) No two foeders are the same. Each of our eleven foeders create subtle nuances of unique flavors that are typically blended together before aging on additional ingredients. This sour ale is different. Luminary explores the beer fermented in a single foeder, Twiggy Sawdust. One of the first foeders we aquired, Twiggy Sawdust showcases flavors of ripe peaches and pear with a distinct lactic acid character. We then aged the base beer on Pineapple, Peach and Persimmon fruits, and dry-hopped with Galaxy hops, creating a sour ale with tropical fruit flavors and a mild mild funk character.
- Scratch Beer 208 - 2015 (Bock) : This dark and strong yet sweet German-style Lager features local PA Dutch malt from Deer Creek Malthouse to elicit hints of burnt straw, caramelized nuts and toast.
- Hemp Hop Rye : This smooth amber ale uses toasted hemp seed to create a nutty flavor in the finish that compliments the rye and hops (a botanical cousin to hemp). The wide assortment of flavors harmonize, creating a uniquely smooth and flavorful beer!
- Truthful Statement : This dark sour ale was inspired by classic Old Fashioned cocktails. We fermented a velvety imperial stout with our house sour culture, then aged it in Woodford Reserve Bourbon barrels alongside sweet Bing cherries and freshly zested oranges to create a rich, tart stout that’s perfect for sipping on cold winter nights.
- S1nist0r Black Ale : We craft our S1NIST0R Black Ale using a special German dehusked black malt that is free of astringency, giving the beer a rich black color without the traditional dark beer characteristics. You will notice subtle hints of chocolate with an easy drinking balance on the back end. In the glass the dark color may look intimidating to some, but don't let this beer fool you. Our unique combination of malts creates a very light body and smooth finish.
- Murica - Pilot Batch : An Americanized version of a Pilsner. Fruity and floral, hopped with Cascade and Centennial.
- Honey Pumpkin Lover : ire roasted pumpkins and 60# of honey have been barrel aging since October. Darker and higher in alcohol than most of our offerings, a good wild ale for the winter months.
- Menabrea 1846 : Lager Beer produced with bottom fermentation, Premium Lager. Brewed with water, malt, maize, hops. It is a well-balanced beer with a notable floral/fruity aroma thanks to the selected yeasts used in the brewing process.
- Peculiar : A strong English ale, not too hoppy and reddish brown in colour. It is a dark, malty brew, full in taste with a sweet dry finish.
- Tart Attack : This Berliner Weisse style sour ale is full of character and flavor at only 4.3% alcohol by volume. We sour mashed this ale and allowed the souring lactobacillus to create a lovely tart and bright flavor. To further the tart character, we rested it on blackberries after its fermentation was complete. The result is a bright and complex tart ale with both semisweet and dry notes throughout. This ale was brewed to honor Pints for Prostates and all their work in bringing awareness to prostate cancer. So men... get tested, live longer and enjoy more craft beer!
- Jelly King - Pink Guava : This limited edition version of Jelly King includes a large dose of guava puree, blended on top of a mixed fermentation sour ale with a hefty dry hop. The result is juicy, sour, and bursting with fruity aroma and flavour that comes enrobed in a light pink hue.
- Sinister Stout : Dark & chocolate malt with a touch of oats, artisan coffee, aged in Wild Turkey Rare Breed barrels.
- Bad Day At The Office : Have you just had a Bad Day At The Office? Then this is the beer for you! This delicious tipple is a light golden ale with a heavy hop bitterness and flavoured with a strong fruit and citrus aroma.
- Special Cargo Wet-Hopped Belgian Red Ale : Fresh picked Chinook hops from Colorado's western slope deliver a ripe, cherry-like fruit flavor while the classic Belgian yeast sweeps in with a subtle, spicy finish. 6.6% ABV. - 30 IBU's
- 19th Anniversary Thunderstruck IPA : Our 19th anniversary release brings the boom, delivering it to the palate in a voluminous, hop-driven thunderclap. This double IPA owes its considerable oomph to a quartet of Australian hops—Topaz and Galaxy, plus two newcomers, Ella and Vic Secret, that scored impressively in test batches. We’re also applying the all-Aussie theme to the malt bill, which is composed entirely of an Australian variety called Fairview. The beer’s striking tropical fruit, citrus and peach hop flavors and slightly resinous and aromatically dank earthiness are sure to electrify your senses.
- Siehau : SIEHAU (pronounced “see-how”) is a HellerBock brewed for Julie’s grandmother, who enjoyed Bock during her youth in a German enclave of Brooklyn. Constructed with all German malts, and hopped assertively with Saaz. Fermented very cool with our house lager strain, then a 3 month lagering at near freezing temperatures. See how good Lagerbier can be? Notes of buckwheat honey, green tea, grapefruit rind, red delicious apples and autumn air.
- Amber Sun Ale : Roasty finishing malts, balanced with just enough bitterness provides a traditional amber ale that is dark red to the eye, but not heavy on the palate. 16 Mile names this premium amber ale for the famous sunsets found at the Breakwater Lighthouse located off of Lewes Beach, Delaware.
- Brown Ale : Our Brown is a British Style brown. It has a roasted nutty flavor complimented by a great malt sweetness.
- Old Cave Dweller Barley Wine : Our Barley Wine is a rich winter ale that is equally a dessert beer. This years brew used German Kolsch malt for the base malt, along with a small addition of crystal and wheat malt. American Cascade hops were used for the flavoring hop additions. The overall profile is well balanced between malt and hops. This years brew is slightly on the dry side, allowing the hops to add complexity with a slight citrus flavor and medium bitterness. This is a great winter warmer. Come in and try it for yourself!
- British India Pale Ale : We affectionately call this one BIPA. This true English I.P.A. is made with premium malt, only Goldings hops, and a special British yeast culture. Fruity aromas mix with the floral hops to greet your nose as you raise a pint of this brew. The bitterness is huge, yet it is crisp, dry, and clean.
- Bourbon MoCo : MoCo Porter aged for 6 months in Heaven Hill bourbon barrels. Rich, dark color with full roasted malt flavor. Chocolate and coffee notes meld with the vanilla and bourbon flavors of the barrel.
- Number 4's Pale Ale : Sharing the same proprietary blend, around 40 of our brewing brethren created beers to benefit research of ALS, aka Lou Gehrig's disease. A strong swig of tropical fruit and citrus drives light bodied No 4's Pale Ale to the wall and it crosses home with a crisp, dry finish.
- Drie Fonteinen Straffe Winter : Closest to a faro since dark candi sugar was added, though the Lambic portion was untraditional using some amber and Munich malts.
- Belgian Whitecap : This amazing beer is a true example of a Belgian style wheat ale. Brewed with Coriander for a unique aroma and a delicate fruity finish…this almost white golden colored ale will satisfy the occasional craft brew drinker or beer snob. . . you gotta try it!!!
- Medea : Belgian Saison farmhouse brewed with juniper berries and dark crystal rye.
- Bill's Bock : Invented in Einbeck, made popular in Munich, beer lovers have been drinking this distinctive style in one form or another for almost four hundred years. Bock, which means "Goat" in German, is a family of strong generally sweet lagers. A beautifully thick, dark and smooth beer, this is the first beer we experimented with after receiving our microbrewery permit in 1996.
- Rude Boy : Featuring Dr. Rudi hops from New Zealand alongside Simcoe and Amarillo hops from Yakima, Washington. Lots of orange, fresh grapefruit, intense pine, blackberry and stonefruit. 
- Purée Boysenberry : Purée is our series of sour beers aged in oak wine barrels on Oregon Specialty Fruit purées. The first release is our Boysenberry rendition and boasts beautiful jammy flavors backed by an oaky dryness.
- Hookerman's Light Ale : Named after the local legend of the Hookerman who is said to have died after losing his arm in a long-ago rail accident. It is said that the Hookerman can be seen late at night wandering the abandoned tracks with a lantern looking for his lost arm. The lightest of our house beers, the Hookerman's Light Ale is an American wheat ale, having a delicate flavor and body, with a refreshing fruity aroma. We use malted wheat in the grist in addition to imported, 2-row pale malt. The wheat contributes a very delicate, bready flavor. We add imported Tettnang hops late in the kettle bois for a clean, floral finish.
- Sour Me Not Acerola : Sour Fruit Beer, wild fermentation with a Brazilian Acerola (aka Barbados Cherries).
- The Barkness : A dark, hoppy ale, brewed with black wheat, barley, and flaked oats, then finished with Amarillo and Centennial hops. Aromas amd flavors of roasted chocolate and biscuit, followed by pine, resin, and citrus rind.
- Danish Monster : The Celt Experience, Wales, meets master of Hoppets, Denmark in Caerphilly. A hoppy battle between tropical fruits and lemon peel with big IBUs!
- Sur Mosaic : A 6% Pale Ale that has been slightly sour mashed to add an acidity that balances out some of the round fruity notes from the Mosaic hops. A crisp tart fruity pale ale.
- Demi-Tone : Demi-Tone (blueberries) follows in our lineup of refermentations with spent fruit, which includes La Vie en Rose (raspberries), Detritivore (cherries), and Grim Harvest (blackberries). The result of refermenting on spent fruit is a more subtle fruit character and arguably more complexity in terms of the fermentation profile.
- 3 Scoops: Pineapple, Coconut, Passionfruit : Sorbet style ale with pineapple, coconut and passionfruit
- Strawberry Fields Forever : Big strawberry fruit and juicy aromatics, with a hint of basil and a dry sour finish.
- Barrel Reserve 2013 : Blending several whiskey-aged beers, River North’s brewers created a 100% barrel-aged combination known simply as Barrel Reserve 2013. The most complex River North Brewery release to date, this beer is for the true connoisseur. It can be enjoyed fresh or aged up to five years.
- Augusta Hyde Park Stout : A traditional Irish Stout, very dark and very drinkable.
- Augusta Hefeweizen : This beer is hazy because it is unfiltered. The fruity character of this wheat beer is from the yeast left behind.
- Pale Ale : The Declaration Brewing Pale Ale bursts with delightfully balanced hop flavors supported by a clean malt profile. The tropical character from the hops play with fruity esters from the yeast fermentation to make this a very enjoyable session beer. Our Amber Ale differs from this APA through the use of crystal malts to obtain the amber color and caramel flavors.
- DDH IPA Citra BBC : A huge 30g/L of Citra BBC makes this DDH IPA pop with vibrant orange and mango flavours. A soft, creamy mouthfeel helps it score highly on the crushability scale, while a sprinkle of pepper in the finish accentuates the bright fruit notes and aids balance.
- Atnas : Belgian Triple, rich and complex, slight rum, hop and eucalyptus notes, subtle vanilla. Smooth warming finish. NATAS and ATNAS will be released as a pair of beers celebrating winter and cold weather with darkness and light. Brewed with the same blend of Saison and Trappist yeasts.
- Not So Mild : Just like our winter here in Oregon has been this year, this mild is not so mild. An extra magic brewday and an especially voracious Scottish yeast variety made this mild a bit stronger than tradition. Easy drinking with a medium body and a smooth twangy-fruity finish, this brew is a nice change from the strong beer we have been sipping this winter!
- Schofferhofer Hefeweizen Grapefruit Bier : As you might’ve guessed we’re from Germany, but what might surprise you is that we’re the world’s first Hefeweizen (wheat beer) grapefruit beer. Best served cold, it’s the perfect casual brew to cool you off during the summer, but it can be enjoyed all year round any time of the day. It’s a true 50/50 blend of total refreshment made from 50% Schofferhofer Hefeweizen blended with 50% carbonated juice of 100% natural ingredients.
- Chocolate Indulgence Stout : Chocolate Indulgence offers a thick tan head of foam resting atop of the rich onyx-hued liquid. The aroma immediately speaks of dark chocolate and dark malts. The gentle herbal notes of perle hops compliments the darker aroma notes, making the beer fully savory to all the senses.
- Haysaw : Used for centuries on the farm as a tool to cut through bales of hay, this saw has a decidedly demonic figure. Inspired by Burial’s future as a farmhouse brewery, this Belgian farmhouse ale is deceivingly complex. pale, wheat and Belgian crystal malts are combined to forge a wonderfully well-rounded beer, while wide bodied slow fermentation of our house saison yeast imparts plum and clove flavors.
- Restraint : An American Brown Ale aged on hard maple. This beer balances complex flavors of nuttiness, chocolate, roasted coffee, and sweet maple. A full bodied yet refreshing dark ale.
- DFPF : Berliner Weisse brewed with dragon fruit and passion fruit
- DB Draught : The things you really value are the things you can’t replace. Since the pioneering days of the 1930’s, DB Draught has quenched the thirst of Kiwi Blokes with the real flavour and great taste of New Zealand’s Original Draught Beer. DB Draught has a crystal-clear, copper gold colour, with a malty and slightly nutty flavour to balance the mild, aromatic hop aromas and clean bitterness. The beer is very smooth with a long finish and hints of caramel flavours in the aftertaste.
- Porter : With a rich, full flavour, our Porter is nearly black in colour with a creamy head and a nose reminiscent of a dry stout. Not for the faint of heart, this is a beer for dark beer lovers.
- Hopfest : Legend Hopfest begins with a sturdy barley malt background including Munich and aromatic malts, as well as a few medium kilned malts producing a rich , deep orange colored beer. Step two, the hops; Hopfest sports a distinct pine/fruit aroma. Expect an intensely flavored brew, with hop flavor lasting throughout. There is a toasty, earthy background, adding a rich, malty dimension to the long finish. The end result is a full flavored IPA with a strong malt backbone and long satisfying hop finish.
- Schooner : Introduced in the 1950s, Schooner is a popular Maritime-brewed beer. Unique fruity flavours from the Labatt yeast, and a special blend of North American hops, help deliver a clean, smooth tasting beer. Schooner beer was named after the famous sailing ship, the Bluenose II, which was owned by the Oland family.
- Dark Abby : Meet Abby, Azrael’s darker twin. This Belgian beauty is mysteriously alluring with a sultry flavor combination of brown sugar, plum and spices in a dark burgundy hue. 
- Shut Out Stout : No need to bolt the doors or bar the windows - nothing's getting past this full-bodied stout! Through thick and thin, it holds strong and steadfast, with rich roasted malts as it's backbone. Warming notes of coffee and biscuit are all that may penetrate it's dark, facade...some dare not speak it's name aloud, but we think we know what's coming...the shut-out. 
- Soft Power Citra Pale Ale : Soft Power is a series of session pale ales that focus on heavy hopping and low bitterness. The grain bill of Pilsner, malted wheat and flaked wheat is designed to keep it soft and clean, while allowing the hops to sing. This batch is made entirely with Citra and leans heavily on the orange and tropical fruit notes. At 4.7%, the low alcohol allows you to indulge without paying for it. Come and get it!
- Ithaca All Brettanomyces Porter : See Dark Humor.
- Weizenbock : A strong, dark, German style bock. This beer is served traditionally cloudy due to the suspended yeast. This wheat beer is estery like a hefeweizen (hefe=yeast), but bigger and sweet with more of everything.
- Mocha Stout : Medium body, coffee and chocolate infused dark ale. Collaboration with Elementary Coffee Co. Smooth stout brewed with espresso, cacao nibs, and lactose. Served on nitro.
- Bank Street Brown : A rich malty nose with a hint of chocolate and fruity esters leads into an equally full malt flavor, with just bit of caramel and roastiness. . A medium body and balanced finish that is neither dry nor sweet make this an easy-drinking ale.
- Curiosity Fifty : A concept originally devised in February 2013, The Curiosity Series has been a staple of the Tree House hop exploration for nearly the entirety of our existence. It has afforded us the opportunity to experiment outside the current bounds of our understanding of how hops behave and express themselves when faced with difference variables throughout all phases of the brewing process.l This has allowed us to grow as brewers and as stewards of the beautiful hops hard working farmers provide to us from all corners of the globe. Fifty exemplifies our approach to hoppy beer, with impressionable fruit characteristics that never become cloying or burning , but more juicy and saturated as you work your way through the glass. The lower alcohol content also allows for easier drinking beer with almost no sacrifice in flavor of character. We taste and smell peach predominantly, with hints of citrus and melon provide depth and intrigue to a beer we are excited to share with you as we mark one milestone of many to come. Enjoy.
- No Güey Mango IPA : Whether you're in San Diego or Tijuana, you don't have to look far to find street vendors serving up fresh fruit with lime and chili. We took that classic combo and brewed our interpretation of this street-sold slice of heaven. It starts as a classic San Diego IPA -- dry, refreshing and hoppy as hell, then we add fresh mango and a blend of chili, lime and salt for an authentic flavor that will have you saying "No Güey!"
- Everybody Dies : Starfruit IPA. Brewed with wheat. Hopped intensely with Motueka and Simcoe. Conditioned atop lot of house processed stardruit purée.
- #1073 Prairie Stout : In the years since it was given to the city of Lawrence in 1955, the 'Prairie' class steam locomotive #1073 has been a source of interest and entertainment to young and old alike. This black stout was made using a generous portion of freshly toasted grains as well as a sizable dollop of dark molasses. Hop flavor and aroma is minimal in order to focus the flavor on the toasted malts. (O.G. - 16.95P/1068. Hops - 50 IBUs)
- You Otter Have Another Nut Brown Ale : Our version of this old English style is a mild deep amber coloured ale with a pleasant "nutty" light biscuit and roasted malt flavour and a light flowery hop aroma with a non bitter finish from the use of Saaz hops. This is a light bodied beer that appeals to both dark and light beer drinkers alike.
- Cowboy Meets Farmer : This beer is the next progression in our single-hopped beer series and features the Amarillo hop (the Cowboy) and a large portion of wheat (the Farmer) in the grain bill. When fermented by our Belgian yeast strain at warm summer temperatures and blasted with an extra dose of Amarillo dry hops, these two best friends produce a light bodied ale with strong fruit and citrus flavors and a nose reminiscent of fresh squeezed orange juice.
- Valge Öö : A white stout brewed for the shortest night of the year. Brewed entirely with pale malts, but with dark tastes, the Light Night is a liquid paradox.
- Funky Monk Ale : Centuries ago the Trappist Monks of Belgium and the Netherlands introduced this flavorful style of beer to the world and they have been brewing it ever since. By incorporating the finest European malts and authentic Begian yeast, we have created a dark malty brew. This Belgian Dubbel ale starts smooth with a heavenly finish – It’s a sin not to try it.
- IPA : Pronck IPA has an aroma of mango, passion fruit and grapefruit. We use 3 different American hop varieties. The finish is bone dry with a bitter touch.
- La Roja : An artisan amber ale brewed in the Flanders tradition. Deep amber with earthy caramel, spice, and sour fruit notes developed through natural barrel aging. Unfiltered, unpasteurized and blended from barrels ranging in age from two to ten months.
- Vichtenaar : The "Vichtenaar" is a beer that is brewed on the basis of deeply burned malt, spicy and fruity hops, yeast and soft water pumped from a well with a depth of 172 m, which is a guarantee of the quality and the purity of the water. After the main fermentation and the second lagering the "Vichtenaar" undergoes a third fermentation in oak casks for several months. The oak casks are large vats with a capacity ranging between 5000 and 25000 liters. 
- Big Easy IPA : The hop flavor's big, but like life in New Orleans, we're taking it easy. Big Easy IPA is brewed with lemon peels and dry hopped with Cascade, Amarillo, Centennial, and Simcoe for a hoppy aroma of citrus, fruit and pine. Easy to drink and just right for long hot days, steamy nights, parades, or a day on the river with friends.
- Bulldog Amber Ale : British crystal malts give this beer its distinctly deep amber body and nutty aroma that persist throughout the glass. The soft underlying hop bitterness is tempered with the flowery aroma of the U.K. Golding hop. Like its namesake, Bulldog Amber Ale is tough on the exterior with a soft disposition, so it’s a great introduction to Half Pints.
- Colorado Red : This beer was first brewed in collaboration with our friends from Odell Brewing Company, Colorado. Colorado Red pours a deep red with pungent aromas of only the best English hops. Flavours are of rich, dried fruits, candied peel and fragrant fresh hops.
- S.M.A.S.H Chinook Pale Ale : Brewed with British Pale Malt and hopped with Chinook. This straw-colored Pale is crisp and dry with subtle sweet biscuit flavors co-mingling with medium spice and pine characteristics with subtle notes of grapefruit.
- Brooklyn Greenmarket Wheat : Brooklyn Greenmarket Wheat Beer is brewed from 70% New York State-grown wheat and barley. Drinking this lovely beer helps reinvigorate the state’s grain industry and benefit GrowNYC's mission to support family farms, farmers markets, gardens, recycling and education. Greenmarket Wheat is as bright and refreshing as a summer day. The Raw wheat gives this beer its zing, barley malt brings depth, and Belgian yeast lends complexity. Accented with orange peel, local honey and a dash of coriander, the beer is naturally carbonated by re-fermentation in handsome 750ml bottles.
- Sir Peche : Standing in the fields of an Adams County farm and dreaming about a peach sour, we hit upon an idea: Let’s leave the fruit on the trees a little longer than usual to coax out as much tangy juiciness as possible. A few weeks later, we trucked 2,100 pounds of overripe peaches back to the brewery and a small army of brewers spent a day cutting out the stones and tossing the flesh into fermenters. Brettanomyces adds a touch of tropical fruit and funk, lactobacillus provides the pucker, and a spell on American oak brings it all home. Sir Peche is here.
- Pinball Wizard : Our award winning American Style pale ale has dominant aromas of citrus, pine, and tropical fruits, paired with a smooth bitterness, and balanced with a slightly bready malt body. It’s unfiltered and loaded with delicious hop flavours to ensure repeated drinkability. For those who love hops, this APA aims to please!
- Thunder Canyon Warhead Stout : Our imperial stout is intensely rich and malty with flavors of black currant, toffee and dark roasted grains.
- Cosmic Cream Ale : Cameron’s Cream Ale is the beer that started our company. Hailed by Toronto Life in 1998 as “best new beer of the year.” This elegant golden ale is crisp, refreshing and balanced with a fruity backbone. Brewed with 2 row malted barley and specialty hops from the UK. Cameron’s Cream Ale is a dimensional beer that is refreshing in the summer and comforting in the colder seasons.
- Trailside Wheat : Our Hefeweizen has a very appealing fruity flavor and aroma resembling banana, sweet apple and pear.
- Shade Tail Nutty Pecan Ale : “Shadow Tail”, the literal translation of the Latin word from which “Squirrel” is derived, provided inspiration to name this rich, nutty beer. The richness comes from the blend and use of Marris Otter, Biscuit, and Brown malts along with flaked oats for a creamy mouth feel. Use of roasted Georgia pecans takes this Northern English style brown ale to new heights without overpowering the malt and hops characters. Fuggles and EKG hops provide the balance and traditional profile found in great brown ales.
- Wee Heavy Keg Tosser : A full bodied Scotch Ale with an emphasis on a smooth, complex and malty body with a touch of caramel and a gentle hop aroma.
- Belgian Style Blonde (with Guava) : Brewed just for Utah, Belgian-Style Blonde Ale brewed with Guava is 4% ABV (3.2% alcohol by weight), carryies scents of honeycrisp apples and champagne. It is a bright, gently carbonated beer, both light-bodied and easy drinking. The soft tropical fruit character, with a hint of white grapes imparted from the guava puree, offers a touch of complexity to the clean, bright, drinking experience of a Belgian-Style Blonde Ale.
- Absolutely Okay : Bourbon Barrel-aged Belgian Strong Dark Ale brewed in collaboration with De Struise Brouwers
- Double Milkshake IPA - Coconut : Coconut Double Milkshake IPA is the latest installation in our kind of weird, doesn't really make sense on paper, but is actually delicious line of culinary IPAs inspired by milkshakes and dreamt up in tandem with our brothers at @omnipollo. This one was brewed to 9.0% abv and conditioned on twice the amount of luscious fruit and Madagascar vanilla beans. Intensely hopped and dry hopped with Mosaic and Citra. Contains lactose!
- Julius Pepperz : Julius Pepperz is a very unique take on an otherwise traditional IPA. Brewed in collaboration with YesterYears Brewery, and in honor of Abundance NC's Pepper Fest, this beer features bright fruity Tobago peppers from Granite Springs farm and house smoked malt. This beer pours a clear lustrous gold with a white head, and it greets you with a big aroma, that at first is dominated by peppers but then eases into fruit and citrus forward hops. Meanwhile a slight whiff of smoke helps to marry all of the aromas. On tasting this beer, the surprising character of the Tobago peppers becomes more evident. There is almost no heat or spiciness present, but instead delightful fruity pepper flavors meld into hops and subtle smoke.
- Oktoberfest : This is one of the classic malty styles, with a soft, complex, and elegant maltiness but not cloying. A blend of Munich, Vienna, and Pilsner malt is then hopped with Czech Saaz hops and lagered with a Bavarian lager yeast blend.
- Pentagram : This Arcane Seal guards an enigmatic brew that is FUNKY, DARK, and SOUR. If you choose to break the seal, YOU HAVE BEEN WARNED!
- Frut : A fruited brut saison.
- Stout : Very dark and rich, medium bitterness with coffee flavors.
- Portsmouth Porter : Porter, a full-flavored dark ale with full body & medium hops, is a style that enjoyed enormous popularity during the 1800's, when it was the drink of the working man, especially dockmen and warehouse porters.
- Moat Lager : This Vienna-style lager is the big brother to our Pilsner, although maltier and less bitter. This beer is amber in color with a toasted and nutty body. Noble German hops complete this well-balanced lager.
- Moat Smoke House Porter : Our version of a robust porter, dark malt dominates the flavor profile, mouth feel is lighter than our stout, bitterness balanced to allow the specialty grains to shine.
- Trafalgar Paddy's Irish Red Lager : Irish red was created in the 1800′s by master brewer George Henry Lett. Trafalgar has recreated the extraordinary nutty taste and unique amber colour with crystal malts and roasted barley. Tettenanger and saaz hops round out the bouquet of this fine dark lager. Paddy’s compliments such pub fare as stews, cheeses and meat pies.
- Gahan Limited Edition Shortest Day Spiced Milk Stout : This big-bodied milk stout has a prominent vanilla aroma with toasty undertones that lasts throughout the pint. Spiced with nutmeg, packing a festive punch in the finish. Black and opaque topped with a dark, long-lasting head. Best enjoyed on the darkest nights of the year paired with a warm fire and a homemade dessert.
- Extra Special Bitter : A British-style Extra Special Bitter, (also called E.S.B.) full of hop bitterness and aroma. Rich floral and fruity aromas compliment this tank-conditioned ale. Served from a traditional British beer engine.
- Fathom Double IPA : Fathom is an epic, orange-gold, hazy, double India pale ale brewed for hop heads and hop novices alike. It’s not fashioned to kill anyone with hops, rather to give the best hop experience possible. It has an intense hoppy aroma, featuring citrus, melon, and floral components leading to strong orange and stone fruit flavours that finish soft and dry. First wort hopped, hop burst, and two-stage dry hopped. We’re not talking over-the-top bitter, but instead, an incredibly flavorful and easy to drink, memorable pale ale.
- Deep Purple : This has a Pilsner base and is brewed with the addition of New York State Concord grapes. It is fruity, tart & dry, with a dark purple color & huge grape aroma.
- Notting Hill Porter : Notting Hill Porter is a traditional porter with a complex malt profile giving balance notes of chocolate, caramel and coffee. Perfect for the colder, winter months.
- Amber Waves : This medium-bodied Amber Ale hints of dark fruity raisin, currants, and ripe plum. Slightly sweet and nutty from a blend of toasted malts including a touch of Chocolate Malt and flaked Barley, and balanced off with a nice mix of Northwest hops. 
- Mosaic Basic Bits IPA : Bursting with notes of ripe pineapple, fresh papaya and juicy tangerine, Mosaic Basic Bits is the third entry in our Basic Bits series, a rotating series of New England-style hoppy beers designed to showcase some of our favorite hop varietals. For this third iteration, we used nearly 6 lbs/bbl of 2017 Mosaic hops from the lot we picked during hop selection. We selected this specific lot of Mosaic for its bright, juicy tropical and citrus fruit character. MBB is proof that basic does not mean boring and that the simplistic can actually be complex.
- Careful With That Passion Fruit, Eugene : Careful with that Passion Fruit, Eugene is the first of our ‘lambic inspired’ fruited series. In this case we took a blend of 9-14 month old barrels, added Passion Fruit for one month, and bottle conditioned with wine yeast for three months. The passion fruit shines through and combines perfectly with the flavors and acidity from the original blend. Fruity, funky, sour.
- Amber Ale : The deliciously complex malt flavors and aromas in this beer are balanced by a hint of hop bitterness. Bread, fruit and caramel flavors are at the forefront of this medium bodied ale. Try it with your favorite dessert!
- The Messenger : We teamed up with Alexandra Nowell of Three Weav3rs Brewing Co. to brew this citrusy IPA. Brewed with bohemian pilsener malt and dry hopped with Pacific Jade, Citra and El Dorado, then finished with Buddha's Hand and Pommelo zest,. Lemon Yellow in color, light to medium in body, with a striking aroma/flavor of grapefruit, apricot and magnolia flowers.
- Palate Jack Porter : The base recipe for VBC's City Plus Coffee Porter, this naked Porter features a blend of Brown and Chocolate malts. The resulting grain bill provides subtle notes of burnt toast and sweet breadiness. Flaked oats provide a smooth texture that belies a dark, robust offering.
- Grapefruit IPA : Idaho 7, Centennial, Sorachi Ace, Southern Cross and Pacific Jade hops create a background of spicy lemon pepper. 200lbs of grapefruit added after fermentation give this IPA a strong, citrus fruit-forward aroma and flavor and moderate bitterness.
- Ichor : This Abbey-style Quadruple brewed with German Pils and Roast malts and dark candi sugar, hopped with German Tradition hops. Luscious and seductive, Ichor is brewed for both the body and the soul. This beer will improve with careful aging but is ready to drink now.
- Winter White Ale : An alternative to dark and heavy winter warmers and stouts, Winter White is a stylish and refreshing Wheat Ale.
- Naramata Nut Brown Ale : This velvety soft ale has a stubbornly loyal following. Rich dark malts are layered in a seamless manner. Fine tuning with a blend of bittering, aroma, and flavour hops produce an amazingly smooth finish and a lingering taste. This is a full bodied ale with a rich and gentle flavour.
- Ebenezer Amber Ale : Richly colored amber ale with a complex malty taste.
- Abstrakt AB:06 : Triple Dry Hopped Imperial Black IPA. A monster of a IPA combining dark malts with monumental amounts of our favourite hops.
- Geary's IPA : This ale has its origins in the traditional English style, with a generous helping of American exuberance. Bright copper in color, it has an assertive hop bitterness balanced with a subtle malt foundation. Dry hopping at two sates of the brewing process provides floral and fruity hop flavors adding to the complexity of the brew. Original gravity ~ 1060; Alcohol by volume -- 6%.
- Never Never Aloha Aloha : Never Never Aloha Aloha is the double fruit version of our Hawaiian Punch inspired Gose, Never Aloha. Clocking in at 5.1% this Gose with Hawaiian red alaea sea salt is conditioned on hundreds of gallons of pineapple, mango, passion fruit, blood orange, Guava, and cherry purée. Super tart and loaded with tropical notes on the aromatics and flavor profile.
- Telehoppen U47 : Telehoppen U47 is brewed with Galaxy, Citra lupulin powder and mosaic lupulin powder. That's a mighty fine trio of the humulus lupulus species that found their way into this beer bringing pungent tropical and melon notes over a grapefruit, citrus base.
- A Night On Ponce IPA : Now Unfiltered, A Night On Ponce IPA grafts an American ale yeast onto the same malts and hops used in A Night In Brussels. The result is an entirely different beer, which announces its presence with lush notes of citrus fruit before tapering to a clean, dry finish. It’s an American IPA for lovers of American IPAs.
- Ritual Night : Mexican Dark Chocolate stout brewed with velvety smooth dark chocolate and vanilla bean with a cinnamon and red chili smolder.
- Schnozzleberry Griffin : Schnozzleberry Griffin is a magenta colored American Wheat Ale, made with Oolong tea and blackberries. The rich, berry filled aroma overshadows the soft, flour-like contributions of the malted wheat. The crisp, tart, fruity flavors create a pleasantly sour and slightly tangy mouthfeel that leads into a lightly acidic, and semi-dry finish.
- Batch 1500 - Black Currants : The glorious ambrosia now before you is our 1500th batch of beer, hence the clever name. To celebrate this exciting brewhouse milemarker, we’ve crafted an exceptionally tasty dark saison, meticulously dosed with dark candi sugar before fermentation in red wine barrels with Lomaland yeast, Lactobacillus, and four strains of Brettanomyces. We added a generous helping of black currants to this lot of Batch 1500, which combine with the existing notes of dark fruit, oak, and funky complexity to create a truly stunning ensemble.
- Pinner Throwback IPA : How do you cram as much hop & malt flavor and aroma as possible into a beer but make it crushable too? That’s the challenge we answered with PINNER Throwback IPA. At 4.9% ABV and 35 IBUs, this drinkable IPA uses several varieties of hops to target the ever-evolving flavor. With tropical fruits, citrus juices, pineapple and spice berry up front in the aroma and flavor, the biscuit & toasted bread at the back balance out all the hops and make a great finish to go on to your next can of PINNER. It’s the perfect beer for a little sip, sip, give.
- Dark Wit : Spicy and floral with tangerine up front, this light-bodied dark wit boasts a subtle malt middle before a bright, dry finish.
- Take Flight : This is our take on a classic style - the American pale ale! Take Flight provides a light hazy straw color with slightly herbal and tart citrus fruit notes. Its 5.5 ABV and light body makes this ale extremely drinkable.
- One Year Anniversary DIPA : We made a very special DIPA to celebrate our 1 year anniversary. Brewed with Mosaic, Citra, and Vic Secret hops, then double dry hopped for a massively tropical and stone fruit profile throughout.
- Expansive Vestibule : Brewed with oats and a plethora of specialty malts. Hopped with Chinook. A dark beer for bright days!
- 2014 IPA : Our 2014 IPA is a West Coast-inspired American IPA. Aggressive American hops are showcased in the flavor and aroma of this interpretation. A full body coats the mouth with sticky fruit flavors followed by a punch of hop aroma thanks to extensive dry-hopping.
- Paw Paw : Wood Aged Fruited Sour Ale
- Moon Sparkle : Dry, fruity, and leathery mixed culture ale aged in oak barrels with Mostra's Hambela coffee beans.
- Scratch Beer 192 - 2015 (Chocolate Stout) : Followers of our Scratch Beer Series may have noticed a recent pattern of Chocolate Stouts in the last few months. Since experimentation remains a key element behind our Scratch Beer philosophy, we’re treating this one no differently. For Scratch #192, we continue our quest of finding different ways to infuse chocolate flavor into beer without the intense residual bitterness of the cacao nibs and dark chocolate. With that said, this time around we “dry nibbed” the beer (just as we would “dry hop” an IPA) with cacao nibs and tinkered with the vanilla level to impart lush sweetness and a velvety texture. To balance the sweetness, we added a variety of American hops to introduce a tinge of citrus, pine and earth in the aroma. The result is a decadent stout with a luxurious body and smooth finish.
- Hearts’ Beat : Hearts’ Beat was brewed first using Chelan cherries from Baird Family Orchards. Those are very dark and intense fruit, so the route on that beer was to showcase the fruit above all else. To achieve that, Upright brewers started with their usual process of using a very basic grist with aged hops for minimal bitterness, then ran the wort directly into eight casks that contained over 100 pounds of fruit in each. A blend of two different brettanomyces strains with some lactobacillus was added and the barrels sat for one year before blending and bottle conditioning which began in July of of 2016. The high tannin level lends the beer a distinct edge that holds up well against the acidity, and the amount of fruit makes the beer drink much like a cherry wine, a character that is enhanced at cellar temp over typical beer serving temperature. The Hearts’ Beat is not intended to mimic Belgian Kriek or any defined style, but rather to follow in the path of Fantasia as a beer combining elements of Belgian lambics, saisons, and our the brewers own whims. 
- Express India Session Lager : Express pours a golden straw colour with white lacing. Complex hop aromas of citrus, tropical fruits and pine fill the nose. Bright lemon, orange, pineapple and mango meld seamlessly with pine notes over a crisp and light malt background, followed by a pleasant, lingering bitterness that’s not overpowering.
- Maximo Milk Stout : Named after its 19-th Century owner, Maximo Park is a beautiful waterfront park along Boca Ciega Bay. In addition to the boardwalk, playgrounds, bike and nature trails, observation tower, and boat ramps, Maximo Park boasts a 70-acre archaeological site and an 18-hole Tocobaga Disc Golf Course, named after the Native American Tocabaga tribe that once resided there. Our sessionable Milk Stout is dark, sweet, full-bodied, and slightly roasty with notes of caramel, coffee, and soft espresso.
- OnoLicious : Living in landlocked Colorado, we often dream of a tropical beach and a warm ocean breeze. That dream has inspired our newest Cellar Series offering, Onolicious. A blend of tropical fruits creates an intricate flavor profile with powerful aromas of passionfruit and mango, while funky tart notes of ripe guava and sweet tamarind round out the shape of this deeply complex sour ale. Sit back, relax, and enjoy.
- A Girl Named Egypt : This very special Double White IPA was brewed in memory of Egypt Covington, as a tribute to her love and passion for life. Developed in collaboration with her friends and family, it includes some of her favorites… elderflower, passion fruit, and mango. Her smile would light up a room and we hope this beer does the same for you. Please enjoy with friends, loved ones, and strangers alike. Spread her kindness, share her message, and raise a glass to A Girl Named Egypt.
- Vanilla Bean Abraxas : Additional Vanilla Beans added to our Imperial Stout brewed with ancho chili peppers, cacao nibs, vanilla beans, and cinnamon sticks. Pouring deep brown with a thick head, this beer has a complex body with a delicious lingering roastiness.
- Gangster Duck : An American Red Ale influenced by multiple beer styles. Intense citrus and stone fruits dominate the nose (or beak if we're staying with the duck theme), yet the bitterness from the hops is balanced by Belgian and American crystal malts. It smells like an IPA exploding with fancy American hops but has a smooth, malty-but-not-too-malty finish.
- Tatonka Stout : An imperial stout — a classic style so rich and flavorful that it was once the private beverage of Russian Czars. The profile is malty sweet, hop bitter roasted, full-bodied, alcoholic and deliciously complex. Beer doesn’t get much more intense than this!
- Abita Select Imperial Pilsner : Our Imperial Pilsner is similar to the Czech original, but all of the flavor characteristics are increased. Thus, the beer will be slightly darker, more malty, and have more hop aroma. Also, because our water table in Abita Springs is remarkably similar to that in Pilsen, we do not have to artificially adjust our water to achieve a similar taste. Our Select is made with Pilsner, Munich, Cara Munich, and Cara Pils malts. It is hopped and dry hopped exclusively with Sterling hops. The resulting beer will be a dark golden color with a sweet malty taste and floral hop flavor and aroma.
- Farnham Ale & Lager Into the Mystic : Milkshake DIPA featuring Tahitian vanilla beans and lactose with it's hops imparting tropical fruity notes.
- Wild IPA : Our Wild IPA is fermented with an untamed wild yeast call Sacc. trois. This yeast imparts an enticing tropical fruit aroma with a slightly tart finish that complements our hop profile. The result is an assertive IPA with layers of luscious fruit, citrus and spicy character.
- Something Or Other : We brewed a saison with a multitude of Brettanomyces strains and then aged it for 10 months with red raspberries. This resulted in a texturally complex beer with integrated raspberry acidity, fruit skin tannins, and pleasant barnyard funkiness.
- Double IPA W/ Citrus : Double IPA brewed with lemon, lime, grapefruit and orange juice.
- Lakewood The Temptress : Va-va-voom! Our Temptress is seduction in a glass. Curvy in all the right places, this Imperial Milk Stout pours with a thick, milk chocolate head. Chocolate and caramel malt give it a rich and complex body while the lower carbonation gives the beer a silky mouth feel. She’s voluptuous, with a soft alcohol warmth that grows deeper with every sip. Take your time with her and she’ll reward you.
- Ugli Peace Keeper : Hoppy wheat ale brewed with ugli fruit.
- 1314 Barrel Aged Anniversary Ale 2017 : A Wyoming Whiskey barrel aged Imperial Scotch Ale that has been aged for 12 months. English strong ale is a rich, complex malty sweet beer with hints of figs, raisins, dark fruits and balanced with a dry alcohol finish. Barrel aging will impart bourbon flavors of wood, coconut, vanilla, caramel, licorice, brown sugar and cinnamon. These nuances will be noticeable in the aroma and aftertaste. Barrel aged beers are very complex and intense. They should be enjoyed over a longer period of time to allow the beer to warm up and change in complexity. It is not meant to be consumed quickly.
- Brett IPA : Our third Elemental Series release exists in fewer than 1,800 bottles! This IPA was refermented using true Brettanomyces brux. Trois in locally procured red wine barrels. Ample time in barrels has allowed Brett. to create a deliciously funky and complex IPA exploding with aromatic notes of tropical fruit.
- Oktoberfest : Rich and complex, this amber-colored lager is smooth and clean due to a cool fifty-degree fermentation, mellowing as it lagers. Well-balanced with a hint of hops presence, Oktoberfest is focused on the grain bill of Vienna, Munich, Caramunich, Pilsen, and Melanoidin malts.
- Beneath The Wheel : This I.P.A. was brewed almost exclusively with Galaxy Hops and fermented with lager yeast. Notes of citrus and passionfruit.
- Barrel #251 : Belgian Style Dark Strong Ale Aged in Leopold Bros American Small Batch Whiskey Barrel #251
- Short, Dark & Wired : A slightly beefed up version of our regular Short Dark and Handsome Stout with the addition of coffee, vanilla and cocoa powder.
- Saison De Banc Vert : Saisons, or Farmhouse Ales, were originally brewed as a summer seasonal in the French-speaking region of Belgium. Dry and crisp, our “Green Bench Saison” is packed with fruity esters similar to citrus fruits and spicy, peppercorn-like phenols from our farmhouse yeast strain.
- Juhlia : Brewed traditionally, using Juniper branches to filter the mash. We used rye, wheat, and juniper berries and fermented with a bread yeast to make this dark farmhouse ale.
- Brewer's Art Proletary Ale : After much demand for a seriously dark beer, we 
- Valley Of The Heart's Delight : This sour ale is inspired by the agricultural history of the Santa Clara Valley. Long before it became Silicon Valley, it was known as the Valley of The Heart’s Delight, a fertile basin overflowing with fruit orchards. Brewed with foraged apricots handpicked by the Garden To Table non-profit, this collaborative beer celebrates and supports their mission to promote urban farming in San Jose.
- Fru Tang Clan : Barrel-aged sour refermented on Barbados cherries, clack currant, purple plum, pink guava, mangosteen, yellow papaya, dragon fruit, pineapple, and Alphonso mangoes.
- Hall Of Fame: .394 Imperial San Diego Pale Ale : AleSmith's Hall of Fame version of the legendary Tony Gwynn .394 San Diego Pale Ale pays tribute to the one and only Mr. Padre and his commitment to excellence. Just like its predecessor, this "Imperial" or "Double" .394 is bursting with even more American hops, lending the beer a diverse palate of citrus, tropical fruit, and pine. Tony envisioned this beer in early 2014 and AleSmith is honored to make another one of his dreams come true. 
- Spellbook : We constructed this dark, viscid potion with layers of rich organic maple syrup and dust storms of ground Saigon cinnamon stick. A treacle worthy of the highest level pastry sorcerers...
- 100 Barrel Series #19 - Pêche : The Harpoon Pêche is reminiscent of the peach lambics Rich and other Harpoon employees enjoyed on their trip to Belgium. As you pour this hazy golden colored beer, you will immediately notice the fresh peach aroma rising from your glass. A high carbonation level assists in releasing the aromatics of this crisp, sparkling ale. The five malts used to brew this beer blend nicely with the fresh fruit added during fermentation, creating a sweetness that is full but not cloying or candy-like. This sweetness is balanced by the tart acidity in the finish of the beer. The combination creates an incredibly refreshing experience. This is a perfect beer for the summer and can be paired with a variety of cheeses and deserts, or simply enjoyed on its own.
- Saison Rue : Saison Rue is an unfiltered, bottle conditioned, Belgian/French-style farmhouse ale. This is a beer of subtlety and complexity, with malted rye, spicy, fruity yeast notes, biscuit-like malt backbone and a slight citrus hop character. With age, this beer will dry out and will become more complex with rustic notes of leather and earth from the contribution of a wild yeast strain. Being a saison, Saison Rue is ambiguous unto itself as it is a different beer when fresh and when aged.
- The Calling : The Calling is an undeniable IPA we were driven to make. It's our tribute to like-minded dreamers, adventurous spirits, and glass half-full optimists. It's also our most heavily hopped beer ever, bursting forth with unmistakable tropical fruit and pine hop aromas and flavor supported with a slightly sweet malt character, tapering to a crisp, dry finish. Heed your call and enjoy.
- Downtown Blonde Ale : This light-bodied Kolsch displays a smooth malt note and a hint of fruit flavor in the finish. The Kolsch style has little hop flavor or aroma, letting the sweet malt taste prevail.
- Strawbock (Cork & Cage Series #1) : Otto’s Cork & Cage series begins with a Weizenbock infused with seventy-five pounds of strawberries from Way Fruit Farm. This “Strawbock” was fermented with Andechs Weizen yeast and finished at 6.7% ABV. Buy one today and frolic with us through strawberry fields. 750ml This beer can only be consumed on premise and is not available for take-out.
- Slurpy (Blackberry Mango) : Introducing our SLURPY series, a heavily fruited sour. Each Slurpy will have different combinations of fruit. This one is packed with Blackberry and Mango!
- Iron Spike Amber : A deep garnet, Iron Spike Amber pours a dense frothy beige cap with good lacing and retention. To the nose, toasted notes of dark bread and caramel malts as well as deeply rooted dark fruits give way to a perfume of bubblegum, banana, and yeasty esters. 
- TangeRica : TangeRica is a full-bodied wheat IPA bursting with tangerine and citrus hop flavors. Notes of citron blossom, grapefruit peel, orange and lemongrass radiate the senses, while a wheat-heavy malt bill and subtle hop bitterness round out the experience.
- Dark Strong Ale - Rum Barrel-Aged With Raisins : A complex, malty strong Belgian ale with notes of caramel, raisin and dried fruit. Warming alcohol is balanced by malt sweetness and a hint of spice from the Abbey Ale yeast strain. Aged on raisins in a single rum barrel for a truly limited, one-of-a-kind ale.
- Courage : Courage is a triple IPA brewed with HBC 342, Lemon Drop, Motueka, and Mosaic hops and aged on American oak spirals. Stone fruit, citrus, and tropical fruit dominate the aroma with notes of vanilla and oak lingering in the background.
- Devil's Kitchen Strong Golden Ale : "Named for a perilous spot high up on Mount Hood, this golden brew is perilously drinkable. It sports a silky-smooth body, warming alcohol and fruity esters. Served in a goblet with a collar of foam." 
- Keyboard Muscles 2.0 : Keyboard muscles 1.0 is a Berliner with star fruit and dry hopped with Citra. 2.0 is the same beer with the addition of gooseberries.
- Russian Imperial Stout : A very rich, dark and full-bodied brew. Complex, slight licorice and roasted barley finish. Dark tan head. Suggest this as an aperitif, very filling and makes a great desert.
- Peche : This mixed culture saison features fresh Earlystar peaches from Mosier, Oregon. Peche is fermented in a large open wine barrel, then transferred onto the fruit and re-fermented for several months.
- Dark And Foamy : A spiced amber ale, bold and complex it plays off ginger and oak while having a solid malt backbone.
- Alice Porter : Weighing in at 5.2% ABV, Alice Porter hides a huge complexity behind her modest strength. Roasty and smooth with fruity, rich coffee character. Alice Porter takes a sudden twist in an unexpected direction; a blend of hops that add a light, balancing citrusy twist and a subtle spiciness. Alice Porter is the first of our 2105 seasonal brews.
- Dante : Dante melds together sweet, sour, and spicy in a red wine barrel-aged dark sour blend with raspberry, cocoa nibs, and ancho chiles added post-fermentation. The roasty sour base balances the sweet and tart flavors of the cocoa and raspberries with subtle smoke and heat from the ancho chiles to build complexity.
- Atomic Polecat : Full bodied American Imperial IPA packed with citrusy, dank, and fruity hops that blend with a solid malt backbone.
- Luminosity : Watch out for this one. Deep golden in color with a wonderful complexity from the classic Trappist yeast strain. Slightly sweet and fruity, with notes of orange, banana, spice, and soft alcohols. This high gravity tripel is surprisingly easy drinking with a light body, and will sneak up on you if you’re not careful. Addictive too… Naughty beer.
- Libertine Black Ale : Lose yourself in this voluptuous beast of a beer. A twenty-first century hop overdose. This mother will seduce you, ravish you and you’ll be back gagging for more. Adore it. Lust for it. Fall for it. Libertine Black Ale is a dark hop bomb combining the hop awesomeness of an IPA, the decadent and indulgent malt flavours of a stout with an insatiable drinkability that belies the punch that this beer packs. A Dark Knight amongst pale knaves. Taste the hops, live the dream. Learn to speak beer, love fruit and never forget you come from a long line of truth seekers, dreamers and warriors… the outlaw elite. Ride toward anarchy and caramel craziness. Let the sharp bitter finish rip you straight to the tits. Swallow hard – this beer bites.
- Cumulus Wit : It’s hot, and you deserve a crisp, fruity, spicy, herby, fluffy, tasty but not too overwhelming refreshment. Coriander, Pineapple Weed, and Lemon Balm grown right here on our farm along with Red Fife wheat from Lonesome Whistle across the river, and a classic wit yeast from Belgium. Need we say more?
- Oktoberfest : Our first lager, which has a complex malty flavor and aroma with a sweet, toasty taste. It is well-balanced, clean and smooth, with hints of caramel. First brewed in 2011, it was such a success.
- Shimmering : Brewed with a base of German Pilsner malt and raw white wheat. Fermented in a large oak foudre with our Magickal Saison yeast. Dry hopped with German Callista and Hallertau Mittelfrüh. Classic, complex, and crushable. Notes of white grape, morning dew, cucumber, hay, and jasmine.
- Habitual : This year round selection more commonly known as a Black IPA is one of our personal favorites. Your tastes buds will definitely thank you as you experience the complexity of 2 row, vienna, select dark roasted specialty and chocolate malts. We selected Chinook, Citra, Amarillo and Cascade hops to give it that classic pacific northwest flavor and aroma where this style originated.
- NE Blonde : This pale Summer beer is sure to delight with its delicate balance of pilsner malt and noble hops. The cool Ale fermentation gives our Blonde a slight fruitiness that heightens its already refreshing character.
- Grape Swisher : Smoked malt is one of the more dubious tools in a brewer's bag because thresholds are vastly different. What to one palate is a hint of bacon or a whiff of BBQ to another is ashtray or Band-Aids. How can Carton ignore playing this game? Where can smoldering aromatics go off the beaten craft? In Grape Swisher we have reassembled the deconstructed aspects of a flavored blunt. Rich, dark malts rendered smoky by the addition of oak smoked pale wheat touched with concord grapes and a heavy plug of the hops that smell like their cousins. Drink Grape Swisher and hand me down a 50-pack.
- TaxMango : Beat the Summer heat with TaxMango, our summer Belgian-style Pale Ale conditioned with real mangoes. Bright citrus hop notes, a burst of fruit and spicy Belgian easters will have your tongue doing the mango-tango. This tasty golden pale ale will turn any backyard occasion into a tropical retreat.
- Sleigh'r Dark Doüble Alt Ale : Called 'Dark Double Alt' on the label.
- Cherryots of Fire : Cherryots of Fire is a cherry pie-inspired beer loaded with Montmorency tart cherries. The malts unite mimicking the pie-crust foundation for the fruit and the finish leaves you wanting another bite, um... I mean sip.
- Midnight Madness : "Grab your darts and let's go!" This is a dark ruby red porter with a medium body. A slight hint of smoke is detected from a small portion of grains used that are smoked with beechwood. Pale, chocolate, black and crystal grains are also used with Norther Brewer and East Kent Golding hops.
- Blackberry Wheat : Light amber in colour and crisp in body,"Blackberry Wheat Ale" perfectly balances refreshment with natural fruit flavouring. Enjoy!
- Sweet Leif : Sweet Leif is a Bière de Garde infused with Chinese Sencha Green Tea. The beer pours deep gold with aromas of earthy spice and fruit esters. Flavors of grass, toasted malt and slightly sweet caramel are immediately present, augmented by a smooth, medium body and a dry finish. You will love Sweet Leif though it can’t hear you.
- Pile Of Face : What's the first thing you need to do when you start a brewery? Develop your logo, of course. With any potentially decent brewery, your logo must be a skull, it has to be a skull, you'll be laughed out of the room if you don't have a skull. So we went hunting in the area where all the great skulls have come from and were shit out of luck. By those fateful dumpsters all we found was this deformed neanderthal type deal, or maybe it's from an ape, and a big ol' pile of face. To celebrate our lack of success in finding a really cool skull, we are embracing another required cliché by brewing this American IPA. A modicum of simple malts provide the mediocre backbone to the mountain of various hops that are utilized and rotated throughout the brewing process. Look for dank overtones supported by various citrus and heirloom fruits. It's the straight forward fuckin' IPA that you always wanted from us. You lucky bastard.
- Hub City Oatmeal Stout : Our Oatmeal Stout is so named for the 10% oat content of the grains. You will find this stout to pour black with a nice thick head that remains. As you taste this beer you will find coffee and dark chocolate as the dominating flavors with a sweet finale. We left this beer with a lighter carbonation so you can enjoy the true flavor of this beer that we find tastes its best between 50-55°F.
- Smoke Chaser (Cherrywood Smoked) :  Smoke Chaser comes from the name given to brave firefighters that defend California's forests from devastating wild fires. Our American cherry wood smoked barley wine is as big and courageous as its namesake. An intense malty complexity, combined with an American hop backbone, and a subtle cherry wood smoke finish makes this beer larger than life. With over 100 IBUs and at 12% ABV, this beer is meant to be sipped and experienced. Enjoy with a fine cigar or share one with a friend.
- Happy And Very Happy : Happy And Very Happy is a German IPA brewed with a base of German Pilsner malt and pale wheat malt and hopped in the kettle with the delightful Hüll Melon. Fermented cool with our house ale yeast in a horizontal tank, and dry hopped with Spalt Select, WET Hallertau Blanc, and a bit of Simcoe. WELe are just beginning to roll out our hand selected hops from this past German harvest. Notes of ripe papaya, juicy starfruit, tangerine, cut grass, and honeydew melon.
- Boomsauce : A New England style IPA using 6 hop varietals lending to a citrus and tropical fruit finish.
- Downpour : Downpour balances on the boarder between malt and huge hop flavors, much like the balance between warm summer days and the bitter cold thunderstorms we get here in the high country of Colorado. The beer pours a hazy redwood red with a white fluffy head. Hops dominate the nose with pine, earth, and grapefruit balanced slightly by caramel malt flavors and hints of our fruity London Ale yeast. The beer hits the palate with bitter hop notes of pine and is balanced by bready malt. A beer for the hop freaks among us.
- Sow Your Wild Oatmeal Porter : For those that want a beer with complex malt flavors, but not the extra roasty flavors of a stout, our Oatmeal Porter is your beer. This Porter contains prominent notes of chocolate, biscuits and dark fruit and smoothness from a big portion of flaked oats. Just enough English hops to balance. 
- Massif : Brewed in collaboration with Zagovor Brewery from Russia. Smooth and velvety mouthfeel. Toffee, roast and subtle fruit aroma. Malty, notes of caramel, vanilla and deep roasted coffee, finishing with a hint of licorice and dark malts.
- Raspberry Sour Red Ale : Flanders Red Ale that has been aged in a red wine barrel for 8 months and aged it an additional 4 months on tart red raspberries - over a pound per gallon. Luscious raspberry and fruit aromas and a snappy acidity are the delicious result.
- Belgian Pale Ale : A great beer for the spring. Nice pale color with just enough hoppiness. Tropical fruit notes of mango and guava come through from the combination of Belgian yeast and cascade hops. Grab a pint and support your local school.
- Hopstate NY (2018) : Hopstate IPA is a 7.4% ABV, 40 IBU IPA hopped with Cascade, Chinook, Centennial, and Nugget. Brewed with flaked oats along with Synergy and Munich malts from 1886 Malt House, it is fermented with English ale yeast. Hopstate IPA pours a hazy pale orange with a fluffy white head. Juicy aromas of tropical fruit burst from the glass, followed by bright citrus and sweet malt. Flavors of sweet fruit and citrus mix with a pleasant bready character. Lightly balanced bitterness in every sip pairs with a smooth, pillowy mouthfeel and a medium body. The finish is moderately dry with mild, lingering bitterness.
- Airlie Amber Ale : Malty, medium-bodied ale with a light bitterness from noble German hops and hints of dried fruit on the finish.
- Alberta Crude Oatmeal Stout : Black as its namesake, with a creamy tan head, this Oatmeal Stout is velvety smooth with low carbonation. Six different malts, hops from the U.K. and (of course) oatmeal contribute to this ale's complex character.
- Heavy Seas - Plank III : Aged on Jamaican Allspice wood and featuring pepper and fruit flavors, PLANK III offers a unique taste and aroma. According to Christopher Leonard, Brewmaster and Operations Manager, “PLANK III is an exciting Belgian-style Tripel. We believe it is the first commercially available beer that has been aged on Jamaican Allspice wood. Goldenrod in color with a dense head and creamy mouthfeel, this robust, bold brew presents phenolic flavors of white pepper and peach skin from the warm fermentation along with subtle spiciness from the wood aging.”
- Guava Passion : Guava & Passion Fruit Berliner
- Tall Timber Ale : Tall Timber Ale is a dark, full-bodied English Brown Ale alive with rich malt flavour, caramel undertones and a slight residual sweetness. The use of Goldings finishing hops and an authentic top cropping ale yeast round out the traditional Brown Ale character.
- Forshem Ale : Malts: Pilsner, pale ale, dark wheat, Münchener, chocolate, pale and dark caramel
- Paddle Bender : An extremely robust Imperial Porter that delivers huge notes of chocolate and roast with a thick yet silky mouth feel. We aged this beer on loads of vanilla beans for a rich flavor that accentuates the dark malt character. Paddle Bender pushes this porter to its limits with 8 different kinds of malts and over a half pound of raw vanilla beans.
- Zuur Cafe #3 : Barrel aged dark sour ale with Verve Coffee.
- Squashenator : The thing about brewing with gourds and squashes is although they are a sugar source they act more on the body and bitterness than the sweetness. Much like on the table, you can run over them with spices and ignore what they bring or you can build flavors around their unique profile. Squashenator looks to gently dress acorn squash’s simple dull bitterness with a Doppelbock’s fruity treacle aromatics–nothing too heavy or brash–a fall beer with the simplicity of a tasty side dish on a harvest-laden table. Acorn squash roasted with a drizzle of blackstrap molasses and a shake of chili flake, added to the mash of a seasonally appropriate Bock. Drink Squashenator because no matter what fast food culture says autumn doesn’t really taste like a bathroom candle.
- Notorious H.O.P. : Some say the West Coast is the land of IPA but we here at Dogfish beg to differ. Notorious H.O.P. aka Hoppy Smalls is a collaborative brew between Ben and manager Matt Patton and is a strait forward big bad Double IPA, brewed with pounds and pounds of Citra, Simcoe, Amarillo, Warrior, and CTZ hops. Clocking in at a whopping 141 IBU’s, you might as well be sucking on a hop cone while drinking this beer. H.O.P. packs heat with a serious hop derived aroma of fresh cut grass, tropical fruit, and citrus. It’s given that H.O.P. rolls with mad flava, with an intense pungent cipher of interplaying resinous hops over a smooth laid back malt profile. You can almost hear Diddy whispering “uh huh, yeeeeah…” in the background as you sip. Of course, it loves it when you call it Big Hoppa, and that’s word to your mother. Notorious H.O.P. couldn’t go any better with our Indulgence Burger or Dog Pile.
- Blonde Ale : A bold blonde processing mild bitterness, fruity sweetness, and a medium body with a smooth light hop finish this brew is a great introduction into the craft beer world.
- Sweet Berry Wine : Sweet Berry Wine is Pew Pew Pew, our triple IPA, that has been conditioned on Raspberries, Blueberries, Blackberries, & Strawberries. This beer taste like a fruit roll-up!
- Birthday Brew #8 : This years brew is an American Barleywine which highlights malt complexity by utilizing five base malts and two specialty malts but also showcases a heavy hand of American hops for balance. Featuring Four Star Cascade, Centennial, and Pepite for massive aromas of herbal citrus and Chinook for a fresh, resinous character. This brew is designed to become more complex as the years pass and can be enjoyed for future birthdays! It is the first birthday brew to be released in 22oz bottles.
- Ammunition : Ammunition Horchata Dark ale (Known formerly as Ladle) is inspired by the grain-based beverage of Mexico, Ammunition is brewed with Maris Otter, Toasted Rice, Flaked Oats, Chocolate and Honey Malts. Finished with lactose, Ceylon cinnamon, and Madagascar Vanilla Beans, this Horchata Dark ale is perfect for the ever-cooler evenings.
- Brown Ale : The Duck-Rabbit Brown Ale is an American brown brewed with loads of hops from start to finish (it's hoppy and beautifully bitter). Amarillo boil hops provide a spicy citrusy bitterness. Saaz dry hops offer a refined flowery aroma. These hops are supported by seven varieties of malt. The Duck-Rabbit Brown Ale is a great choice for anyone who appreciates assertive hops and nutty toasted malt flavors – oh yeah!
- Paradigm Shift with Black Currants : We took our dark saison, packed with flavors of dried plum and dates and conditioned it on black currants. Forward flavors of Cabernet Sauvignon blend with a mildly sweet acidity and the base saison to add another layer of complexity to an already multi-faceted beer.
- Honest Lawyer IPA : Our west coast India Pale Ale. Brewed with huge doses of hops (almost 20 lbs. per batch). This beer features loads of piney, citrusy, hoppy flavors and aromas. Floral and grapefruit notes throughout. This bronze colored beauty is highly recommended by the brewer.
- Church Brew O'Bryan's Dry Irish Stout : Just in time for St Patrick's Day we are bringing out the new Stout. It feels like we are visiting the British Isles with the two new specialty beers online. We are rolling out a much anticipated nitrogenated version of an Irish Dry Stout. This is the Church Brew Works version of the national Irish beverage, the Dry Stout, the benchmark of which is Guinness Stout. We did some experimenting and made a Nitro version. What does this mean you ask? Instead of straight CO2 as in most beers, we gassed it with Carbon dioxide and then with Nitrogen. The resulting bubbles contain a mix of the two gasses. Draught Nitro stouts are usually poured through a special faucet that promotes gas breakout. With this in mind, a pint of O'Bryan's Irish Stout will have a black color and a tight tan head that will hold for a much longer period of time. It will go down smooth, and due to a lower dissolved CO2 level in the beer it will not have a prickly bite on your tongue. Notice just after the beer is poured, the bubbles cascade in the glass creating a nice visual. The color is so dark you needn't bother trying to look through it. just have another glass. O'Bryan's Irish Stout has an aroma that is dominated by dark roastiness with little or no hop aroma. The body is perceived as bigger than it actually is due to the creaminess added by the mixed gas dispense. The foremost flavor is dark roasted malt with a bit of a rich caramel note. You will also discover a well balanced hoppy finish. It is a very satisfying brew that I know you will enjoy.
- Deep Gap Dark Secret : Using basically the same recipe as our popular Third Knob Truth Serum Triple, we added some dark specialty grains the right amounts of spice and orange peel combined with some specialty hops and a combination of Belgium Abby yeast to create the arch enemy of the Truth - we call it our Deep Gap Dark Secret Belgium Triple.
- Long Vacation : Fruity and juicy. The Huell Melon hops imparts flavors and aromas of honeydew, cantaloupe, and strawberry.
- Sukahop : When we brewed Love And Hoppiness, we did not anticipate the level of support and continued requests for it that we have received. So, we decided to brew a bigger NE, hazy style IPA focusing on fruity/juicy hops. The goal was to build on the lessons learned from the L&H series and continue to finesse the yeast into making sweet love to our tastebuds. The result is a beer so aromatic and juicy, you'd think you are sucking on a hop. Raise a glass with us, Sukahop and enjoy a pint of this wonderful newly emerging style of beer.
- Joooseee Boizzz : Tripple IPA collaboration with our west coast friends @monkishbrewing. We decided to do a triple IPA with all Southern Hemisphere hops(Wai-iti, Nelson, Motueka, and Galaxy). We also added a bunch of raspberry purée. Clocking in at 11%, it's a beast! It tastes like adult Hawaiian Punch, Grapefruit juice, and a touch of pineapple juice. This one is wild! Bendy straws included upon request(courtesy of Monkish).
- Crazy Hazel : This beer uses real Hazelnut Mash for an authentic nutty flavor.
- Sweet Tarts: New York Cherry Sour Ale : Sweet Tart Cherry marries crisp, fruity goodness with a touch of sour that is entirely refreshing. The local New York grown cherries combine with a rosé-like effervescence to create a tartness that teases your taste buds. Sweet Tart Cherry hits you with the right amount of flavor in a perfectly light body. Enjoy!
- Juice Machine : Juice Machine was originally devised and brewed to support our very first trip to Extreme Beer Festival in 2014. We’ve revived and tweaked the original recipe on a 30 BBL scale and brought new life and experience into the idea of an obscenely hop saturated yet juicy and delicate Double IPA. It is essentially a marriage of the King Julius malt bill with a hopping intensity schedule similar to that of Very Green. The use of Magnum, Columbus, Amarillo, Citra, and Galaxy creates perhaps our most complex drink with unapologetic flavors of tangerine, mango, lime, papaya, and grapefruit with waves of dankness. Hop burp nirvana, indeed.
- Obscuro & Nimbosus : Barrel-Aged Series #20 - A tropical sour ale aged in dark rum barrels and spiced with a touch of fresh ginger and key lime zest.
- Ginger And Juice : Crisp and complex, this Saison is crafted in the traditional farmhouse- style with subtle hints of real ginger and apricot. Distinctively fruity and slightly peppery with an energetic effervescence, Ginger & Juice finishes dry and satisfying, perfect after a long day’s work.
- NightCall : Robust all day without dictating your life, this is the porter that other dark beers hang a poster of on their own bedroom wall. Malt sweetness is just present enough to enhance the dark chocolate and roasted coffee flavors without destroying the drinkability. This brew provides a subtle smoke profile that simultaneously creates new fans of dark beer and tames the beast inside the bold-beer aficionado.
- Summadayze IPA : A super-drinkable IPA that can be sold to beer lovers of all stripes. Hopped with a mix of Nugget, Cascade, Columbus and Zeus with notes of pineapple and grapefruit, the hops shine throughout while the beer maintains balance. Characteristics include subtle malt flavor, crisp dryness, and a white foam head. Designed for daily drinking in Florida, because as natives know, every day is a Summa-day.
- River Horse Summer Blonde : A light, refreshing Ale that is easy to drink yet complex. Perfect for the warmer months.
- Ramstein Maibock : Rich Amber bock beer brewed with imported Munich and Pilsner Malts and fermented with a rare lager yeast. This beer has a deep malt character and body with a hint of toffee in the aroma. The Noble hops balance the richness of the malts and provide a complex profile that hides the 7% abv.
- Batch 1,000 : Bourbon barrel-aged imperial dark ale brewed with turbinado sugar, dried cherries, golden raisins, star anise, rose hips, and plums.
- Family Tart With Peaches : We’re not bitter about taking part in the revival of this traditional sour German beer style, once the most popular in Berlin— hence its name. To make it our own, we’re offering different fruit variations throughout the year.
- Stillings Street IPA : This new edition in our “Street” series of India Pale Ales spotlights the remarkably complex Nelson Sauvin hop. Stillings Street is hazy, pale orange in appearance and emits aromatic qualities of kiwi, white grape and lemongrass on the nose. Delicate flavors of citrus zest, pineapple and cantaloupe are accentuated with crisp malt character, mild bitterness, and a soft, effervescent mouthfeel.
- Meube Noir II : Barrel aged sour dark wild ale. Aged in neutral oak wine barrels for 1 year with Ontario cab franc skins. Bottle conditioned 7 months before release Drinks like a tart cola and light red wine kalimotxo.
- Citrus Honey Wheat : This beer has a wheat malt back bone with the bonus of orange blossom honey flavors, making it a sweet medium bodied beer. The hops give it a citrus undertone and an aroma similar to grapefruit and citrus. The beer starts in nose with aromas of oranges and grapefruit, enters the palate with sweet, complex, malty flavors, and finishes with an appropriate amount of hop bitterness to make you want another sip. This is an easy drinking porch sipper.
- Vermicious Knid : Hornswoggler fermented in a stainless steel fermenter. Then we transferred Horns into freshly dumped red wine French oak barrels and brought the barrels over to our Funkhaüst. We then inoculated the barrels with a mixed culture of wild yeasts and bacteria. Vermicious Knid spent 15 months conditioning and developing complexity in the barrels. We then bottled the beer with a small amount of yeast and priming sugar and allowed the bottles to referment/condition for another 2.5 months. The results are incredible! Clocking in at 8.4%, Vermicious Knid displays restrained and elegant tartness, a luscious full body, vinous similarities, beautiful integration of oak tannins, dry cocoa powder, ripe dark fruit, and bright zippy coffee. The best way to describe Vermicious Knid is a slightly tart Cabernet crossed with a cocoa/dark fruit forward full bodied stout.
- Harold : Harold may have a dark side but really he's very sweet!
- Pluviophile : Tart, dark farmhouse ale aged in oak barrels.
- Experimentalis With Peaches & Strawberries : Experimentalis is our barrel aging project using fruits that are grown in our Horicultural Area. Each release is unique and no two releases will taste the same. This version of Experimentalis with Peaches & Strawberries is a blend of 12 & 18 month old ales matured on our garden peaches & strawberries in Merlot & Cabernet barrels from Mattisson Vineyards in Napa, CA.
- Scratch Beer 21 - 2009 (Naked Elf) : Naked Elf takes a hard look at the less-is-more theory. Ever since we developed The Mad Elf, we’ve speculated what it would taste like without the cherries and honey. So what lies beneath the fruit? Naked Elf is unfiltered, so the spicy yeast taste is more prominent in this strong, hazy orange ale. The combination of the Pilsner, and Vienna malts give a lot of body and minimal sweetness, but Naked Elf has a dry finish. Finally, the heat of the alcohol makes its presence known in the finish. The Naked Elf’s finest quality is the delicate balancing act between a lively yeast kick and a slight alcohol note that lingers in the back of the mouth—constantly reminding us not to overindulge in this complex, warming elixir.
- Waymaker Brett IPA : Waymaker leads you down the familiar IPA path, but soon diverges toward new horizons of green, vibrant flavor. A fermentation with undomesticated Brettanomyces yeast creates fruity, tropical flavors, delicately balanced with a subtle background of funk and juicy American (Centennial, Glacier and Chinook) hops to refresh in any season.
- The Grade : The Grade is in. It’s built on the backbone of a rich, cold-fermented baltic porter made popular in countries bordering the Baltic Sea. Similar to an imperial porter but distinctly different, the baltic porter style is heralded for being full-bodied, roasty and smooth, with overtones of toffee, coffee, caramel, chocolate and dark fruit. We take it one step further and hammer it home with the bold, sweet flavors of maple syrup and a touch of fenugreek, placing it in a different, experimental class entirely. The Grade is not your average baltic porter, and that’s A-OK in our book.
- Harboe Julebryg : Harboe Christmas Beer 5.7% is an attractive golden beer with a nice head. The taste combines dark malts and glucose, producing the rounded bitter-sweet taste characteristic of Harboe's Christmas Beer.
- Appalachian Promise : We married the dank, curious paw paw fruit with local wheat, flaked oats, and fruity hops like El Dorado and Amarillo.
- Dark American Oak Aged Navel Gazer : Navel Gazer Imperial Stout aged 5 months in Dark American Oak staves.
- Jean-Claude Van Damn! : We're not going to lie: making this massive beer was a Bloodsport, and drinking too much of it may turn you into a Street Fighter. If you can tame its Lionheart, however, you'll find loads of dark fruit: plums, raisins, dates, and even a little bit of chocolate, complemented by some banana and bubblegum esters from the yeast. This Belgian Dark Strong with the Double Impact ABV is just like the Muscles from Brussels himself: A Universal Soldier that isn't Expendable, and once you finish one you're likely to reach Sudden Death.
- De Colores : If someone knows us even the slightest bit at all then they certainly know that; we love Gilmore Girls, we love naming beers after mariachi songs we were forced to sing in Middle School, and cleaning out our cold box of fruit purees that were taking up space and throwing them all in one grab bag of a beer. The latter two loves were joined together to create De Colores, a Kettle Sour Ale that is inspired by the rainbow of agua fresca options that sit on the counter of our favorite Mexican joints. We threw in Lime, Guava, Lemon, Orange, Watermelon, Apricot, Tamarind, and Grapefruit to form a kind of Voltron-like fruited Sour Ale with a sharp acidity and a varied fruit nature that strikes like chewing every flavor of Skittles at once. Except for purple, because no one likes purple.
- Homegrown Hemp Ale : This cream ale-style brew has the nutty flavour of toasted hemp seeds.
- Trafalgar Downrigger Bock : A dark, rich and hearty German Lager with a delightful bouquet and subtle sweetness. Available during the winter and into late spring, our Bock is best enjoyed with rich and hearty foods such as duck, goose, rabbit, salmon and other game foods.
- Scratch Beer 103 - 2013 (Dark Fest Lager) : As dark and foreboding as a Porter or Stout, but without the anchoring heft of either, this German-style Dark Fest Lager celebrates the complex union of the bold, robust flavors found in full-bodied ales with the crispness and drinkability of German-style Lagers. Subtle chocolate and coffee notes mingle with hints of toasted bread, giving Scratch #103 a clean roasted edge with plenty of German malt complexity. Brewed since the Middle Ages (the first documented mention was around 1390), the dark lager may very well be the world’s oldest beer style. Scratch #103 continues the age-old tradition of the style, using noble European hops and a variety of malts to create a balanced, authentic German-inspired brew. Don’t let its menacing color fool you; this latest Scratch offering is quite a refreshing and multifaceted brew!
- Fearless Youth : Once upon a time in the land of Bavaria, a darkness fell upon the beer in the town of Munich. But have no fear – this darkness was born of a toasted malt that produces a bready chocolate flavor. This full-bodied brew is now known as a Munich Dunkel. Our dunkel is made with just enough hoppy bitterness to scare away any overt sweetness. Then it is carefully lagered to produce a cleaness that no one will shudder at.
- Adambier : A Dortmunder Adambier. This old German style is a strong, dark, sour, top-fermented beer aged in wood that often has a smoky malt character.
- Cherry Wheat Porter : Espresso-like in appearance, with notes of coffee on the nose and pallet. Hints of cherry and dark chocolate also make a fun, but never overwhelming, appearance throughout.
- Operation Plow Share : Blackberry Jelly Doughnut Ale- This Midwest Fruit Tart is brewed with 2,600 lbs of blackberries and 60 g of vanilla beans per 30 bbl batch.
- Surf Stop Pale Ale : A refreshing, uber hoppy pale ale with a touch of rye. Boasts citrus fruit notes balanced with pepper, malt, and a slight biscuty earthy rye finish. The hop profile gives this beer its grapefruit and peach aromas. Hops: Idaho 7, Amarillo, Callista, Melon, Denali, Polaris Surfer and Photographer Steve Sherman discovered this classic sign while searching for a secluded, warm water surf break deep in Baja. The sign represented the excitement & adventure ahead... we hope this beer will inspire you to explore the unknown, too.
- Newport Storm - Vlad (Cyclone Series) : Cyclone Vlad is pure royalty! This Russian Imperial Stout has a rich dark brown, almost black, color and smooth, deep tan head. The use of dark malt and chocolate wheat, a brand new ingredient to Storm, delight the taste buds with delectable baker’s chocolate and roasted coffee flavors. The single type of hop, Warrior, used in Vlad creates a rounded bitterness to compliment all that malty sweetness, making this Cyclone a perfectly balanced brew, despite its hefty 9% ABV and dark qualities.
- Living Daylights : What would happen if we took an imperial berliner weisse base recipe and hopped it with an overwhelming dose of Citra, Simcoe lupulin powder, and Mosaic lupulin powder? We decided to find out. Packaged with plenty of hop dust in the bottle; you can choose to decant carefully for a smooth, fruit-forward drinking experience, or rouse before pouring for a rough-hewn, maximally hoppy swallow. Delicious both ways!
- Black Jack : In the tradition of all the great stouts that have come before it, our stout is made with only the most choice English malts & hops. Black Jack is dark, rich, smooth, silky, and has a complex flavor and body, reminiscent of espresso and cocoa.
- Auld Nick : R&B Brewing would like to introduce you to our special limited release Winter Ale, Auld Nick, which is a carefully handcrafted strong, dark ale from our Vancouver microbrewery. Once a year we skillfully blend specialty-malted grains, the traditional hops of Kent, England and over 60 years of brewing experience to create this truly complex but surprisingly smooth beer.
- Citronium : We have taken a double IPA and blasted it with three different citrus flavors. We add citra hops to the boil, followed by kaffir lime leaves. Then right before bottling we mix in grapefruit oil.
- Voyageur Des Brumes : This mahogany coloured beer has a caramel malt bouquet accompanied by the light aroma of hops. The caramel malt taste sails wonderfully into the mouth alongside a fruity taste brought about by a trio of hops.
- Péché Mortel Termopilas : The Termopilas Péché is an Imperial Stout brewed with the coffee of the same name ! The light roast softens the roasted flavours to let the nutty flavours shine through. The beer is also slightly more acidic than the classic Péché Mortel.
- Wild Sinister Kid (Cherry) : Our Dark Strong Ale aged in oak bourbon and rum barrels with fermentation carried out by our native New England mixed microbe culture. Appearance is opaque reddish-brown with mahogany lining. Sour Cherry Wild Sinister Kid emits aromatics of dark fruit, tart berries, bourbon, and vanilla. This dark, sour ale offers complex flavors of cherry, fig and dates, finishing dry with light to medium body. Re-fermentation with 1.5 lb.'s of sour cherries per gallon results in an enhanced layer of delicate tartness.
- Brother Paul's Radical Razz : The other fruit beer we produce is not your typical American sweet fruit beer. We sour the mash, ferment with special yeast, and then age the beer on 120 pounds of tart raspberries. The aromas are mildly sour and largely raspberry. This is a very refreshing beer.
- Conteur : Brewed in collaboration with friends from Rule29. Aromatic spiced hop and phenolics with a lingering hint of blackberry. Subtle dark fruit and traditional clove sweetness balanced throughout, with a honey-dried finish.
- UnderCurrants : In 2018 we challenged ourselves to using an array of fruit new to our palates and practices. When offered a high quality, freshly picked Black Currant sample, we couldn't resist. We present to you a metamorphosis for your sense. Using 12-36 month aged Agrestic Ale as a base, to which we add1.5lbs/gal black currants, the beer undergoes the final maturation in our French oak "fruiders" for an additional four months. A convergence of supple tanning and deep purple pigments, gooseberry jam, a month-watering acidity and earthy leather elicit notes of a beer having vinous roots. A new variant to one Barrelworks pioneers is born. Santé!
- Hoss Oktoberfest Lager : HOSS is based on the Märzen lagers of Germany. Rich, layered malt notes, with hints of cherry and dark fruits, dominate, while the unique addition of rye imparts a slightly earthy, spicy character. Hoss finishes crisp and dry, and its brilliant red-orange color is a toast to the sunsets that make the perfect backdrop for this beer.
- Rigor Mortis Abt : Strong brown ale inspired by the beer brewed by Belgian Trappist monks. Very little bitterness, this beer has intense malty and sweet flavours, mixed with the taste of chocolate and caramel. It presents complex red fruit and spice flavours due to the type of yeast that is used during the brewing process. This beer is at its best only after it has aged for six months. The Rigor Mortis are complex beers designed and brewed with patience and care in the tradition of the great Belgian Abbey beers.
- Zesty Mounds : Barrel-aged Beer Day is our staff’s day for premiering flavors that cannot be achieved outside of the art of the blend or by any one beer. This staff-winning blend, created by Jennifer Anderson, Conner Coghill, Adam Funderberg, Jeff Scott, Andrew Stretch and Patrick Traster, showcases mounds of candy bar-esque flavors, with vanilla, coconut, cacao nibs from TCHO and orange zest folded into an exclusive fusion of some of our darkest, richest and most malt-forward bourbon barrel-aged beers.
- Blackwing : Inspired by the thousands of Still Creek Crows that fly over our brewery to their nightly roost, this Eastern European style beer is as dark as their wings. With balanced notes of dark chocolate, caramel and dried fruit, this complex beer is sweet, yet crisp and quaffable thanks to a cold lager fermentation.
- Citron Saison : This classic Saison style Ale is inspired by Succade, a popular Louisiana treat consisting of candied citrus peel. Flavored with Meyer Lemon, Tangerine, and Lime peel added to the brew kettle and fermented with Belgian Candi sugar resulting in a bright and complex beer. Pilsen and biscuit malt add to the light color and flavor, while Sorachi Ace hops enhance the bright lemon finish. Measuring in at 7.8% ABV, a warm crisp flavor hints to stone fruit, pear and citrus that refreshes the pallet.
- Boon Oude Geuze A L'ancienne Vat 92 : This Old Geuze is the favorite of our tasting team. It is pleasantly full-bodied, complex and contains smoky and spicy tests. These unique flavors are derived from the oak barrel, used for red wine in France in the Rhône valley. The oak tree clearly expresses a stamp on the overall taste image and adds a particularly positive contribution to the Lambiek aroma.
- Flor D’Lees (2015) : Indigenous Wild Ale aged in Oak Barrels is one of Crooked Stave’s most complex long-aged sours. Numerous barrels are sampled to get just the right blend. Never one to be complacent with brewing tradition and classical styles of beers, Flor d’Lees walks the lines of the most ancient of beers.
- Pavement : Mango, passion fruit, citrus
- Sleep Now In The Fire : A smoked porter brewed with a balance of dark roasted malts and smoked malts. Flavors of milk chocolate, coffee, and oak, balanced with bready maltiness and subtle smoke on back end.
- Citrafonix : Grapefruit and lime juice paired with sweet and bitter orange peel compliment Citra and Cascade hops in this one of a kind thirst quenching India Pale Ale.
- Downtown Brown : Our American brown ale has a light brown to deep copper color sporting a medium body with a dry, but slightly sweet maltiness from generous additions of chocolate & brown malted barley and dark malted wheat. Very little hop character is evident to permit the more nutty malt flavors to stand out.
- Believers Club Bottle 2 : Four grain saison fermented in an oak foudre, refermented atop Yellow Bartlett and Bosc pears from Three Springs Fruit Farm. Conditioned in the bottle for nine months.
- Icon Series: Cascadian Dark Ale : The key to a Black IPA is to artfully balance the aggressive hop flavor and bitter with the roast of the black malt to create a wonderful marriage of the two competing tastes. Icon Blue starts with a big hop nose up front, the result of Centennial and Simcoe additions at end of boil and dry hopping. There is also a roast malt character that starts with the nose and goes all the way through the end. At the finish, the Chinook and Columbus hops kick in to create a lasting bitter. We fermented this beer with our Saint Arnold ale yeast, which contributes an additional complexity. This beer is best served at 45°F to 55°F.
- Dandy : This quaffable brown porter is made with roasted dandelion roots harvested from our own hop fields. The dandelion roots contribute an earthy cocoa and dark toffee character to this nourishing and full bodied session ale. Dandelion root is beneficial to the well being of both the kidneys and the liver, so cheers to your good health!
- Wostyntje : The label on the bottle says: Wostyntje is a dark blond ale brewed with 90% barley malt, 10% munich malt, 2 sorts of hops, dark candy sugar and mustard seeds.
- Weizen : This Bavarian style wheat has a cloudy golden straw color with a very light body. Its aroma and flavor are complexly spicy with clove and banana notes. Weizen has a finish that is dryish-tart and highly quenching.
- American Pale Ale : This beer is pale copper in color with a medium-light body. Brewed with five different hop varieties, its aroma is very floral and inviting. The mildly malty flavor of this beer is nicely rounded by its complex hoppy finish.
- Mill Street Coffee Porter : Our porter is rich and robust, dark brown in colour with a dark roasted coffee nose, imparting an intense coffee flavour with notes of chocolate. Made with beans supplied by the Distillery District’s Balzac's Coffee, this porter offers a rich, full and unique flavour. Currently, there are no other coffee-flavoured beers in the Ontario market.
- Enchantment : A medium-bodied, burnt orange colored Belgian session ale with fruity yeast character and spicy, light floral and earthy hop character.
- Rockford Country Ale : This is a malt-accentuated, lagered artisanal French Farmhouse beer. It has a bright, golden colored body that sits under a dense creamy head. The flavor has a toasty malt intricacy with some fruity esters and herbal, grassy-like notes. Malt forward, rustic and unfiltered beer!
- Christian Moerlein Frederick's Reserve : Dark lager aged in bourbon barrels.
- Wiki Wiki Tart : Brewed with raspberries, passion fruit, hibiscus, and spices.
- Miner's Ruin : This 'California Common'-style beer was first brewed during the California Gold Rush when cold fermentation for lager yeast was not readily available due to lack of refrigeration, resulting in a highly effervescent beer. It is a hybrid style fermented with lager yeast but at warmer ale temperatures, with amber color, medium body, caramel malt flavor and aroma, medium-high hop bitterness balanced with medium-low fruity esters, hop flavor and aroma and malt character. The Gold Rush may be over, but at least this beer style lives on.
- Dry Hop / Saint Errant - Karmavore : This hazy, double dry-hopped DIPA was brewed in collaboration with our friends and brothers in haze from Saint Errant Brewing. Galaxy, Mosaic, and Enigma hops blend together to make a super juicy and aromatic DIPA. Notes of peach, passion fruit, and citrus end with a soft, full finish.
- Doppelbock : This ruby-colored Doppelbock is fermented with our house lager strain, and has an abv of 7.4%. Aromatics of bread and caramel malt are the result of a lengthy boil and resulting melanoidens. The flavor follows suit, with additional notes of light plum, nutty malt sweetness, and light noble hop character.
- Embrace The Funk - Berliner Weisse : Our interpretation of the classic Berliner Weisse style. A funky wheat ale with a refreshingly bright fruity sourness and tart finish. Just the thing for the Summer heat in the South!
- Ya-Da Sun : All hefeweizens are not created equal. The reason German breweries make such great hefeweizen beer is because they understand the intricacies behind the production of these beers. It’s not just throwing a “hefe” yeast at a wheat base and expecting something special. These beers take decoction mashing, special temperature steps during the mash and a precise amount of yeast at pitch to give you the right balance of spicy clove and banana. Sample the fruits of our studies and enjoy what we have learned. 
- Night & Day : Once again, we partner with Barrington Coffee Roasters to brew Night & Day. In order to reach the higher gravity and fuller-body of this massive imperial stout we employ a reiterated mash technique that allows us to create an unusually rich, high gravity, 100% malt wort. Pouring raven-black with a persistent creamy pale-brown head, Night & Day is seductive with aromatics of roasted dark malt, espresso, caramel, cocoa powder, dark fruit, charred toast, and subtle sweet vanilla. At a soul-warming ABV of 11.5%, this bold, imperial stout drinks velvety smooth with mellow bitterness, silky carbonation, and balanced flavors of dark roast coffee, chocolate, figs, affogato and black cherry.
- Tears of My Enemies - Apple Brandy Barrel Aged : There is nothing more sumptuous than the misfortune of your enemies. That dark, smoky taste of revenge takes over as it hits your lips, marching upon your tongue like an army towards certain victory. In addition to the smoke and locally-roasted Batdorf & Bronson coffee on the nose. This beer is roasty, chocolately, and, like the tears of your enemies, the most delicious thing you’ve ever tasted
- Updraft Pale Ale : Ravens have learned that flapping their wings all day is exhausting. Updrafts provide opportunities to relax, coast, travel great distances and see the world from new heights. This modern take on a classic style is built on a light pale malt profile. From there, we layer on some exciting, newer hop varietals. These hops contribute a range of flavors and aromatics from light citrus to various tropical fruits.
- Mochaccino Messiah : This is our attempt of substituting the morning mochaccino coffee with a beer. You get the nicely roasted chocolate malts, some creamy lactose for the milk and a shot of nutty espresso coffee in your mug. And then some alcohol, it seemed just as obvious as some vodka in a white russian. We do not recommend opting for this beer instead of coffee (all the time…)
- Citrusy Wit : When it comes to our beers and the ingredients we use, we give a wit. So rather than spinning just the same fruit wheel of the classic Curaçao orange peel, we punched up our wit with the dynamic duo of tangerine and kaffir lime leaf. The fruit-forward aromatics and flavors are perfectly balanced, so you don’t have to bother adding a slice (or leaf) to the rim of your glass. Even with this lack of unnecessary garnish, you won’t find an absence of intense fruit.
- Light Year IPA : This incredibly smooth and fruit forward Double IPA will leave you questioning the big 9.0% abv. Balanced and smooth, firm yet not over-powering bitterness, and bright malt notes with a clean finish will certainly leave you wanting more. Luckily, we have packaged it into a 16 oz cans for your drinking enjoyment! This beer is made for a cooler full of ice, and is the perfect compliment to any sandy beach you may find yourself.
- Bosco : This modern day version of an American Table Sour was brewed with a blend of Pilsner and Pale malt as well as an abundance of wheat then rounded out with a touch of darker specialty grains. After being inoculated with Lactobacillus and allowed to acidify in our open fermenter it was then finished off with our house mixed culture of funk. Brewed as a tribute to one of our brewers dogs named Bosco, who recently passed away after battling Canine Lymphoma.
- Black Forest : A full-bodied dark mahogany beer, with a rich malty texture. It is sparsely hopped, in the traditional Munich style.
- Inherent Vice : An American-style Saison brewed with Brettanomyces and Citra hops. This beer yields desirable fruit and rustic notes.
- Temple Garden Yuzu Ale : Yuzu is a Japanese citron fruit the aroma of which is gorgeously spicy and the juice lemon-like tart.
- Taken For Granite : Crisp with a smooth malt backing, Taken For Granite (TFG) is a juicy IPA with hop notes of grapefruit, orange, peach and cherry that will mine your every taste bud.
- Cuttlefish Cuvee : A blend of four different treatments of Walkabout Pale Ale, the Flat 12 pale featuring Australia’s galaxy hop. Walkabout variations featuring Indiana-grown passion fruit from Fruit Loop Acres and wine barrel aging on barrels from Easley Winery blend with our standard Walkabout brew and a bourbon barrel version to create this multi-tentacled creature.
- 1872 Porter : International Award Winning Porter based around an original 1872 recipe (hence the name), very dark and rich with a complex bittersweet palate and luscious malt flavours with warming rich port notes that combine into the subtle hoppy finish.
- Woolly : Belgian-style dark ale with sour cherries from Seedling Farms in Michigan. Aged in Cabernet wine barrels for 8 months.
- Amberley Pale Ale : A clean nutty malt flavour and crisp hop bitterness combined with a fresh citrus hop aroma.
- Hopsimilla Imperial IPA : In an attempt to out-hop Hopzone, we’ve created a monster, Hopsimilla Imperial IPA. An absurd amount (over 5 pounds per barrel) of Eureka, Mosaic, Calypso and Citra creates a nectarous tropical fruit aroma with a hoppy bite. Your chronic hop addiction will be satisfied with this high Hop-tane beer. Cheers! 
- Luponic Distortion: Revolution No. 005 : Revolution No. 005 is driven by a mix of five different hop varieties, led by an emerging American cultivar from the Yakima region. Together, these hops deliver a complex spectrum of ripe tropical fruit aromas with notes of guava, mango, pineapple, orange, blackberry, green tea and Meyer lemon. In true Luponic Distortion fashion, bitterness is moderate but snappy, with a balance of light malty-bready sweetness and a soft mouthfeel.
- The Cloud : Absurd amount (5# per BBL) of new school German hops Manderina Bavaria & Huell Mellon are accented with Mosaic & Centennial. Providing aromas of melon, tropical fruit and fresh cut grass, riding along with distinct noble bitterness upon a foundation of oats and lactose.
- Purple Clouds : A far out IPA brewed with loads of oats, puffed wild rice and lactose. Finished on house puréed blueberries and whole vanilla beans. Hopped generously with mosaic, citra and simcoe. A soft, luscious, mouthfeel along with restrained bitterness and semi-sweet finish make this beer sooo crushable. Notes of jam, mild citrus, breakfast grains, loads of fruit and your favorite childhood (fruity) cereals.
- Point Of Elaborateness : A big presence of Pineapple, Schwag, lemon/ lime, and fried corn tortilla come through with ease. Light resinous notes and pithy fruit shine throughout. Brewed with blue corn chips, Masa Harina, flaked corn, and Dextrose. Hopped with large amounts of Eureka, Motueka, and Lemondrop.
- True North Strong Ale : An ultra-premium all-malt Strong Ale at 6% alc./vol. Attractive copper colour with a complex aroma that is assertive and alive with balanced sweet malt nuances and fruity/floral ale and hop aromatics. A rich, slightly sweet caramel malt flavour is enhanced by the taste of fresh hops and classic ale fruitiness. Hop bitterness is moderate to full, but well balanced by the malt elements. Perfect food pairings include but are not limited to onion soups, beef and pork ribs, lamb dishes, hearty stews, bruschetta, carrot cake, and cheddar and pecorino cheeses.
- Franktown Honey Brown : One sip of this mahogany-hued brew will cure your summertime blues. Its full nutty flavor derives from a special blend of Nevada home-grown honey and imported English malt and hops.
- Elevator Bleeding Buckeye Red Ale : Formerly known as Bott Brothers ESB (the original occupants), this alehouse favorite is a complex medley of malt and hops.
- Tè Amo : This is a dark ale fermented in oak and brewed with Earl Gray tea, lavender, lactose, and Belgian candy sugar. Brewed December 2015.
- Glass City Pale Ale (new) : Boasting the essence of grapefruit and citrus, aromatic Citra hops make this ale dangerously drinkable on a warm day, but always a good choice year round.
- Event Horizon : Event Horizon is a rich, chocolatey stout with a smooth mocha head. This roasty brew is the perfect combination of all-encompassing darkness and pleasant caramel sweetness. It’s like if Willy Wonka and Lord Voldemort had an illegitimate child… and that child was beer.
- Abbey Quad : A dark and robust Belgian Abbey style Quadrupel with notes of dark fruit, reminiscent of cherries or strawberries, and a rich maltiness.
- Frères - Bangers & Lace II : This Cascara Wit is brewed in collaboration with Bangers & Lace and HalfWit Coffee Roasters, our brothers behind the bar, helping to promote great beer. Cascara cherries are added to bring complexity.
- The Rule of Three : As our third 16oz DIPA can release, we were compelled to obey the ‘Rule Of Three’ by triple dry hopping with three varieties of hops: Centennial hops, Citra Lupulin Powder, and Simcoe Lupulin Powder. The trio results in a golden balance between citrus & passion fruit, earthiness & pine, and berry & melon. Would order multiple pints, probably like 3.
- The Contessa : A stately mixture of Pink Sea Salt and Pink and Green Peppercorn curl around your tongue like a Snake, giving off a balanced salty fruitiness with a subtle peppery bite.
- Pale Ale : Beautiful round malt flavor from the English floor malt. Incredibly fruity. Big floral and citrus aromas abound.
- Stone 4 Miles IPA : The minds of Four Mile Brewing and Stoneyard Brewing Company bring you a collaborative IPA celebrating the diversity of hops. Stone Four Miles is a hop combination that delivers notes of peach, tropical fruit, citrus, and pine. Please enjoy this delicate and wonderful hop blend of Cashmere, Mosaic, and Simcoe.
- Citra Paradisi : Citra Paradisi was brewed to celebrate the 35th anniversary of The Wine and Cheese Place, a cornerstone of the Saint Louis beer scene and one of our biggest supporters from the beginning. It combines citrusy American hops, grapefruit oil, and a blend of a favorite farmhouse ale and Brettanomyces Claussenil to create a balanced yet bright expression of grapefruit.
- Back To Black: Zeus Black IPA : This beer is designed to challenge your preconceptions: it looks like a rich dark porter but tastes like a punchy IPA. This Black IPA uses Zeus hops from the Yakima valley and Ella hops from Australia. Think pine resins, citrus and tropical fruit aroma with a spicy bite. Close your eyes, take a sip and let your taste buds take over.
- Pompeii : Inspiration for our newest Hop Patrol IPA comes from the House of Faun in Pompeii, Italy. At this site, some of the world’s most famous mosaics were preserved under layers of ash after the eruption of Mount Vesuvius. In this fashion, Pompeii IPA preserves and showcases the luxurious taste of the Mosaic hop. This single-hop IPA offers a floral aroma and a truly complex “mosaic” of taste: dark citrus and pineapple flavors, with deep earthy undertones and a persistent bitterness in the finish.
- Tropical Kind Double India Pale Ale : Aloha my KIND friend, welcome to tropical paradise. We know you’ve been working hard so sit back and relax. Enjoy a blend of Falconers, Meridian and Summit hops, with a juicy blast of Mango and Passion Fruit. Real mango and passion fruit with over 6 lbs. of hops per barrel were added for your tasting enjoyment.
- Reverend Rundle Stout : We are extremely proud of this nitrogen infused stout. The hard, mineral rich glacial water found in Banff balances perfectly with a rich, dark ale. Don't be afraid of this dark ale, its smooth charisma will surely convert many timid beer drinkers.
- Born Secret : 13 different hop varieties were carefully selected to successfully detonate your taste buds and release an explosion of flavor. Expect a low malt profile blown to pieces by hop flavors of citrus, pineapple, peach, tangerine, passion fruit, and grapefruit.
- Lil' Gruesome Peanut Butter Jelly Stout : Lil' G is not intimidated by his larger counter-part, Big Gruesome. An extremely rich and complex beer, the addition of raspberries during the fermentation process results in an reddish opaque color with nice chocolate notes. Like the Big G, rich peanut butter is introduced throughout the entire brewing process to make this stout even more Gruesome.
- Brick Waterloo Grapefruit Radler : The first Radler (German for “cyclist”) was mixed in June of 1922 by a German innkeeper who didn’t have quite enough beer for the thousands of cyclists stopping by. He stretched his supply with fruit juice, and the rest is history. Our Radler blends real grapefruit juice and craft lager for crisp refreshment with an ever-so-slightly bitter finish. Hallertau hops and traditional small-batch brewing combine to make this the perfect decision on a hot day. Simply put, crisp and uber refreshing!
- Bishop's Barrel 15 : The base beer for Bishop’s Barrel No. 15 is an English Barleywine. The style focuses on malt complexity, rather than hops like an American Barleywine. Test brews consisted of a dry hop post aging with Amarillo hops to add a citrus-like character. But after several trials, we felt the hops were distracting from an already great barrel aged beer.
- Trapper Keeper : Floral and spicy pink peppercorns are balanced with the tartness of lemon peels and perfectly displayed in this Belgian saison. Spicy and fruity notes are created from the warm fermentation temperatures, and (edible) glitter adds that lovely shimmer. Named for Lisa Frank.
- Trouble Man : A light base of 2-Row, pilsner and wheat malts allow the hops to shine in this IPA. Lemondrop, Huell Melon, and Loral hops combine to showcase aromas and flavors of lemon, dark fruit and a touch of herb and spice.
- Always On Vacation : Always on Vacation is a session Pale Ale brewed with Galaxy and Motueka hops. Always On vacation has a light copper hue, slight haze, and a frothy white head. A super dank and juicy aroma complements a juicy mouth feel and flavors of tropical fruits. This session Pale Ale has a medium body and finishes dry and slightly bitter.
- DRUM : A robust porter aged in dark rum barrels. The sweetness of the rum infused barrel dominates the palate - hints of vanilla and chocolate follow.
- Papier Doré (BeerAdvocate Blend) : On April 11, 2016, Team BeerAdvocate ventured to Portland, Maine, to blend the official Return of the Belgian Beer Fest beer at Allagash Brewing Company. After pulling samples from several oak and stainless steel tanks and experimenting with different combinations, we ended up with two blends (Papier Doré & Porte Noir), a light and a dark, to represent two sides of the sour flavor experience—and because we just couldn’t pick a favorite.
- Maillard's Odyssey: Imperial Dark Ale (Beer Camp Across America) : Rich, dark, and roasty. That was the concept Bell’s beer guru John Mallett aimed for and, true to John’s vision, Maillard’s Odyssey is exactly that. Its name honors the Maillard reaction—the “browning” of sugars and amino acids—that creates the wonderful caramelized toffee-like and roasted flavors so abundant in this beer.
- Ursa Major : Ursa Major has a high alcohol content - ten and a half percent ABV. It’s a rich, intense brew with big complex flavors and a warming finish.
- Slingshot Dunkel : Don't let the Slingshot's color fool you, it has a light body and smooth complexities that will remind you to never judge a book by its cover. Or, more likely, it'll just remind you that beer is a pretty darn good thing.
- Dinkel Dunkel Weisse : Dinkel (Spelt) Dunkel (dark) was brewed with 60% German malted spelt, along with malted Wheat, Pilsner malt and a small amount of dark specialty malt. It was hopped lightly with German Tettnang and fermented cool with a traditional Bavarian Weisse yeast.
- Fresh Hop 2010 : This year [2010] we used nearly 20 lbs per barrel of "wet" Citra hops from the Pacific Northwest to create this annual ale. Expect classic citric, tropical fruit flavor from this hop with the addition of defined herbal, earthy, and garlic spice from the use of 100% Fresh Wet hops.
- Sheer Madness Wheat Noir : Sweet malt and roasted grains. Sheer Madness pours dark with a lighter refreshing taste.
- Poor Man's Blonde Style Ale : Even at 5.0% ABV this Blonde Style Ale is pumped full of delicious flavor. This is a craft beer drinker’s blonde. We brew it with nearly all Mosaic hops and just enough IBU’s for those that appreciate hops but not too over-powering for those looking for something drinkable. This beer imparts huge citrus and fruit character while finishing slightly sweet and ends clean.
- Hung Drawn N Quartered : Rye barrel-aged Dark Lord
- Ugly Sweater : A case of the winter warm and fuzzies requires two things: a sweater that only a grandma could love and this sweet, creamy, dark milk stout
- Coffee Eugene : Our Robust Porter aged with Dark Matter ‘Revolution blend’ whole bean coffee.
- Jean-Quad Van Damme : Jean-Quad Van Damme is an inspired Belgian-style quadruppel. A mosaic of German and Belgian malts are melded with specialty Belgian "candi" syrup. The result is a wide swath of dark fruit flavors with accents of cognac. Floral hops from Germany provide the perfect balance to Quattro's impossibly complex maltiness. Fermented with out favorite Belgian yeast, this beer clocks in at 11.3% ABV.
- Corkscrew : A tart, bright beer that we soured over a weekend and then added Riesling grape juice before fermentation. It’s dry and refreshing but has nice subtle notes of minerality and fruit. A bit of a departure for us, but we’re excited about making more beers in this vein in the future!
- Quadrophenia : The pinnacle of Abbey beers, this Belgian Style Quadruple is dominated by dates, raisins, molasses, and lush malt notes. Despite its dry finish, it has a sweetness that comes through from the alcohol and fruitiness imparted by the yeast. This is a big, bold beer that is delicious today, but will cellar exceptionally well.
- Oude Tart Reserve : Oude Tart Reserve is a Flemish-style red ale aged in oak barrels. This blend is comprised of only the best barrels from our cellar, hand-selected by our Bruery Terreux production team, blended exclusively for our 2018 members. It's pleasantly sour with hints of leather, dark fruit and toasty oak. While this is one of the more classic beer styles that we make, it's not a style that you can find too often in the United States. Originating in style from the Flanders region of Belgium, near the French border, this dark, sour ale has roots deep in brewing history and predates most of the ales that have become popular in contemporary culture. We're doing our best to keep the tradition alive by brewing and aging this beer here on the west coast.
- Black IPA : Deep burnished copper in the glass, Black IPA is the perfect balance of dark malts and citrusy hops.
- Sleight Of Hand - Beer Camp #94 : Dark Belgian IPA. AKA - Sleight Of Hand
- Brew Ninja : Experimental Japanese Style brewed with Yuzu fruit, Sorachi Ace Hops and Sake yeast
- Black : Allagash Black is a Belgian style stout brewed with 2 Row barley, torrified wheat, oats, both roasted and chocolate malt and a generous portion of dark caramelized candi sugar. The silky mouth feel is a great balance to the roasted character, coffee and dark chocolate notes expressed throughout this beer.
- Best Coast IPA : "Drake's flagship beer! A "West Coast" interpretation of an India Pale Ale. Copper-colored from additions of light Crystal malt, and body-building Caramalt, carry the malt weight of this hop bomb. The hoppy aromas of pine and grapefruit are delivered from the abundant Columbus and Cascade hops."
- Mill Street Tankhouse Ale : Like traditional pale ales, Tankhouse Ale has a deep copper-red colour. We use five different malts to produce a complex malty texture. The most dominant character of our Pale Ale is the hop. The spicy Cascades is used to give an assertive hop flavour, aroma and bitterness to our ale. The result is a satisfying and complex-tasting beer. Our brewmaster developed this recipe 20 years ago and it has remained his favorite drink of choice.
- True North Wunder Weisse : An ultra-premium Bavarian-style wheat beer at 5% alc./vol. Yellow colour with slight, natural wheat beer haze. Subtle aromas of yeast and delicate ripe banana. Slightly tart and mildly malty with a perfect balance between flavours of clove and banana. Silky mouthfeel. Wonderfully refreshing and thirst quenching. Enjoy with fruit salad, seafood and shellfish, egg dishes, smoked meats, lemon and other fruit pies and cakes, and edam and swiss cheeses.
- Before The Dawn : Black Barleywine aged in bourbon barrels. Before the Dawn is a fusion of a Barleywine and a Russian Imperial Stout. Layer upon layer of complex malt character is what makes this beer so special. Caramel and toffee give way to molasses, coco and roasted malt. This rich and warming beer underwent a lengthy aging process in bourbon barrels which lends a wonderful oak and vanilla character followed by moderate tannin in the finish.
- I See The Vision - Peach And Raspberry : Lupulin powder IPA with rotating fruit
- Curiosity Thirty One : Our curiosity continues with an intensely kettle and dry hopped Double IPA primarily featuring Simcoe and Nelson! The base of Thirty One is straightforward to allow the unique and intriguing combination of Simcoe and Nelson to shine. We experience flavors and aromas of clementine, red grapefruit, and orange peel offset by a subtle sauvignon blanc note. Our house yeast provides a familiar character and plays beautifully with this wonderful and expressive combination of hops. Despite its focused and intense flavors, this Curiosity drinks easily and finishes softly.
- Black Sea : Dark mahogany color, roasted malt aroma, dark chocolate malt flavor, full body.
- Holiday Ale : Spicy, complexly malty with dark fruit notes.
- Evelyn : We took our Razz wheat and soured it with B. Lambicus, Pediocaccus, and Lactobacilious it was then blended with our Organic Honey Nut Brown. Then blend was keg conditioned for 6 months allowing the wild yeast and bacteria to gorge themselves on the sugar rich nut brown portion of the blend. This beer is ripe with complexities including a fruity, musty, beady, and leathery nose and a light caramel covered raspberry flavor that finishes very tart and semi dry.
- Crucial Taunt³ : Crucial Taunt cubes is the TRIPLE dry-hopped version of our 8% house DIPA Crucial Taunt. This is the most hops we've put in a beer so far. This one is seriously insane. Incredibly complex and saturated hop character with virtually no bitterness. We might not be able to make this one that often, so grab it while you can.
- Chocolate Porter : Porter by standard description is a rich, sweet ale that is not easily seen through. Porter by Legend standards exceeds these parameters slightly. Legend Chocolate Porter takes on a new level of Porterness. We were generous in our additions of dark malts for this brew. These include Caramel and Chocolate malts, as well as our standard “Porter malts”. The addition of natural cocoa extract at filtering time gives this brew a strong choco-nose and a deep lingering Wonkaesque finish. German Tettenang hops are used for a clean balancing bitterness. Expect a dark black beer with a rich and sweet aromatic presence. The flavor is of dark chocolate, coffee, caramel, and more dark chocolate.
- La Trappe Isid'or : Named after brother Isidorus, Koningshoeven Abbey’s first brewer. Brewed to mark the occasion of the Trappist brewery’s 125th anniversary in 2009, Isid’or was so well received that it earned itself a permanent place in La Trappe’s line-up. Unfiltered, slightly sweet amber ale with a hint of caramel, which continues to ferment after bottling and has a rich, slightly bitter flavour, and a fruity aftertaste.
- India Red Ale : The India Red Ale, or IRA, brings together the alluring red hue and malty body of a red ale with all the intense citrus, grapefruit, and piney hoppiness you’d expect from an American IPA. This beer features first-wort hopping to achieve a smooth bitterness.
- The Unblended : Lambic inspired ale aged for over 13 months in oak wine barrels. Big spicy and fruity notes and brett forward character, with a mellow acidity. Served uncarbonated and at cellar temperature as is traditional.
- Black Beer'd Stout : Our Black Beer’d brew is a smooth, dark and delicious Stout.
- Dark Vanilla : Dark Element on vanilla beans
- Tripel Black Diamond : This is Rudy Borrego’s recipe emulating a Belgian Tripel. Golden in color, 8.3% in alcohol with a slightly estery, fruity yeast-derived character. So you’ve conquered all the double black diamonds at the ski resort? Time for an appointment with a Tripel Black Diamond!
- Strawberry Schwarzcake : This is not your typical fruit beer and definitely not what you expect when you see its black color and tan head. This beer is extremely light in body with notes of chocolate and roasted malt and just a touch of strawberry flavor to balance the astringency; finishing clean and crisp. If you dislike fruit beer and dark beers – you need to give this beer a try!
- Heavy Bell : Heavy Bell is a bourbon-barrel aged Quad. By taking our Quasimodo and then aging it to perfection in eight-year-old bourbon barrels, we produced a full-bodied ale of incredible richness and complexity. Every drop will leave your senses ringing.
- Timmermans Lambicus Blanche (Blanche-Lambic) : There is no other beer like Timmermans Tradition Lambicus Blanche anywhere in the world. It is made by bringing together lambic with the process used for brewing beers based on malted wheat. By the addition of spices such as coriander and dried orange zest, a beer is created with a light, fruity flavour, deliberately cloudy and subtly spicy. Should ideally be drunk from an authentic stoneware pot.
- Belgian Dubbel : Inspired by the Trappist beers of Belgium, the Six Row Dubbel is a rich, malty interpretation of the style. Historically, the Dubbel is brewed to have a higher alcohol content (6-8%ABV) compared to other Belgian beers and can be compared to, but is still stronger, than a Brown Ale. Loads of dark fruit, caramel, and malt flavours dominate this early winter warmer. Just enough noble hop bitterness is added to balance out the sweetness and provide a bit of aroma. Serving the Dubbel in a snifter further enhances the aroma.
- Morgazm Grapefruit Zested Blonde Ale : Our new 5% abv Grapefruit Blonde ale, is dry-hopped with Citra to add citrusy notes of lemon; and infused with grapefruit zest for a tart, refreshing taste that will keep you in the mood all night.
- Scratch Beer 62 - 2012 (Spring IPA) : Spring IPA is a true experiment for us. In 15 years we have never brewed with Summit hops so we decided to crank up the bitterness and knock out a test batch. Spring IPA delivers the taste of fresh-cut grass and pine along with hints of grapefruit and spring onion. The blend of a piney aroma along with grassy and spicy hop notes mask the 8.5% ABV. Only on tap at the brewery, no growler fills due to limited quantities.
- Black Racer : Black Racer™ blends Bear Republic's love of hops with the Pacific Northwest's appreciation for dark ales. Our pit crew brews this award winning ale which boldly defines a new frontier of flavors and always maintains pole position. Race to the Dark Side™.
- This is Reality : This Northeast-style IPA was fermented with our house ale yeast cultures and hopped with Simcoe hops at every stage of the brewing process to create layer after layer of hop flavor. Simcoe hops were added to the initial wort, during the boil, and twice during the whirpool before being double dry-hopped, resulting in a hazy beer bursting with notes of fresh grapefruit juice, citrus peel, and just a hint of dankness.
- Wet When Slippery : Brewed with passionfruit.
- Patience - Bourbon Barrel Imperial Stout : Aged in Rogue Distillery Whiskey barrels for three to four months, we believe that patience is a virtue - and we take that true to heart with this one. The complexity of our MAX Stout Imperial Stout is greatly enhanced, giving off oak and vanilla notes and textured layers of deep, dark secrets. Succumb to temptation...
- Object Permanence : Object Permanence began as a rich English-influenced Barleywine brewed with floor malted Pearl barley from the United Kingdom. To this base malt we added dark Munich, Honey and three levels of crystal malts to add rich caramel, toast and dark fruit flavors. This chewy base beer was then racked into freshly emptied bourbon barrels were it sat for over a year developing flavors of molasses, vanilla, bourbon and caramel. The added layer of oak leaves a perception of dryness to balance this big, malty finish.
- Stay Grounded : Stay Grounded is a mixture of lively refreshing hops with soulful roast. Liberal amounts of Simcoe and Mosaic hops awaken aromas of passion fruit and resin. Nuances of jasmine and black currant are aroused by Tanzanian Peaberry coffee beans locally roasted by Cactus Creek Coffee. The result is a blend of tropical fruit and roast bound by piney resin. Stay Grounded and tip your local barista one of these!
- Squatters Outer Darkness : Welcome to the biggest beer Squatters Pub Brewery has ever made! A Russian Imperial Stout is one of the most intensely flavored beers a brewer can create. The combination of rich roasted barley, oak, molasses and licorice root combine to create an utterly unique and complex imperial stout experience.
- Farmer's Reserve Pluot : Pluots are some of our favorite fruits. Created by cross-breeding apricots and plums, there are dozens of varieties with an amazing range of color and flavor. All through the summer, Blossom Bluff Orchards picks each variety at its peak: Dapple Dandy, Honey Punch, Flavor Queen, Black Kat & Dapple Jack were all added to a sour blonde ale and aged in wine barrels to create this funky oak-aged brew.
- Sgt. Peppercorn : A dark saison style ale brewed with pink, white, and black peppercorns. The spice from the peppercorn is evident but subtle. A smooth, easy drinking dark Belgian-style that has the typical dry spicy finish from the farm house yeast, but with a slightly maltier backbone than its lighter brethren.
- Golden Pear : Light gold with a frothy ivory head, Golden Pear is light and fruity on the nose. Fresh crisp pear at the front of the palate is followed by light hop bitterness and a lingering sweet finish.
- Dark Star Oatmeal Stout : R&B’s Dark Star Oatmeal Stout boasts a distinct roasted coffee flavour and cappuccino coloured head, and is completed with a complex chocolatey, malty bitterness. Dark Star is without a doubt our darkest beer, but its relatively high effervescence makes it surprisingly refreshing for a stout. Unquestionably our most involved malt blend, this dark and complex stout is brewed in memory of our late friend and employee, Jamie Kelly.
- St. Peter's Best Bitter : A traditional best bitter ale brewed wth Pale and Crystal malts and Goldings aroma hops. The result is a full-bodied ale with distinctive fruity caramel notes. Brewed with skill and patience in one of Britain's finest small breweries.
- Colón Negra : This is an English-style Brown Ale. Made with hops, and caramelized & dark malts which give it its characteristic toasted flavor. Developed with Munich 10 and Munich 20 malts.
- Double Crossing : Originally brewed as our 1st Anniversary beer in 2012. It was so good, we keep it coming back each spring. We put an amazing amount of hops into this beer, 4lbs per barrel! It has a lot of tropical fruit and citrus going on, and clocks in at 9.1% ABV. It is highly drinkable and balanced, despite the crazy amount of hops, plus being the biggest beer we have brewed to date. Available starting early spring.
- Kasha Bruin : Starting with buckwheat grown by Open Oak Farm, we toasted it in our farm’s wood fired oven to enhance its warm toasted nut essences. Specialty malts lend flavors of melted caramel, hard toffee, and cocoa. Round it all out with floral and dried fruit notes from a custom Belgian yeast blend.
- Flora Cuvée : 2012 : Flora is the wine barrel-aged version of Florence, our grandfather's sister, as well as the name of our wheat farmstead ale. In her honor, we fill French oak wine barrels with Florence and allow the beer to mature in the presence of our resident microflora. After extended aging, a beautifully complex beer emerges; Florence becomes Flora. 
- 3 Citrus Peel Out : An Imperial Wheat Ale brewed with blood orange juice, tangerine and grapefruit peels. 3 Citrus Peel Out is the newest in the company’s seasonal Imperial Series. It features an 8.5% ABV, a grain bill consisting of 35% wheat, CTZ & Mosaic hops and a walloping amount of citrus. Over four and a half pounds of tangerine & grapefruit peel per barrel accompany tropical flavors from Mosaic hops and an added boost of blood orange juice during fermentation. This refreshing brew sits around 30 IBU and its nice citrus pith complements the bitterness. Residual sweetness helps accentuate the fruity character and masks the 8.5% ABV well.
- Redwing : A full bodied ruby red bitter with malt and fruit in the aroma
- Blown Gasket : Brewed for those times when you need to blow off a little steam. Blown Gasket is a darker offering with a moderately strong malt character. Notes of toffee and chocolate. This porter is robust as a new gasket kit, black and smooth like poured oil. Delicious black oil.
- Magic Number : Light gold color, estery aroma, dried fruit flavor, strong dry body.
- Brick Waterloo Belgian Ale : A spicy fruitiness keeps this refreshingly light and dry beer true to it’s Saison Belgian Ale roots.
- Luminous 02 : Meet Luminous 02. Luminous is our ongoing series of sour IPAs. The base beer is consistent, but the hops and adjuncts change each batch. #2 is made with Pilsner malt, milk sugar and malted oats. It was fermented with Lactobacillus and our house yeast strain, along with blood orange, and grapefruit. We dry-hopped with Nelson Sauvin, Galaxy, and Motueka, and conditioned the beer on vanilla beans.
- Easy Way IPA : Crafted for those who enjoy the aromatic and hoppy nature of IPAs but are pining for a lower ABV, Ninkasi introduces Easy Way IPA. A dynamic medley of hops and a crisp, satisfying finish define this unexpectedly sessionable IPA. The big, fruity hop nose and toasted malt flavor are anything but ordinary, offering a beer that is both aromatic and drinkable. With an ABV of 4.7%, this beer is for those ready to break the routine and go the Easy Way.
- Freedom Fiesta Lager : We ale-fermented this Vienna style beer to bring forward sweet caramel flavors and subtle notes of fruitiness from the German noble hops. At 5.2 abv, this modern take on a traditional Vienna style is a smooth, easy-drinking, and sessionable ale.
- Walker, SoMa Ranger : A big, chewy Oatmeal Stout with flavors of dark chocolate, dried cherries, cacao and toasted almonds.
- Bird Of Prey : Intensely-Hopped American IPA with a Mélange of Hop Notes: Grapefruit, Lemon Peel, Grass & Resinous Pine. Brewed & Dry-Hopped Exclusively with 12 Oz.Falconer’s Flight Hop Blend (Citra, Sorachi Ace, Simcoe & Numerous Additional Pacific Northwest-Grown Hops).
- Peach Ale : Little-known fact: Arizona grows some prime peaches. Our Peach Ale is made with the fruit for a crisp, enticing flavor as worthy of enjoying on a warm, sunny day as on a cool, refreshing night.
- Hot Air IPA : A dank and delicious IPA that features El Dorado, Citra, Columbus, and Warrior hops. This hop combination provides unique notes of citrus, pineapple, tropical fruit, and pine.
- Patriot : This is an American Black Ale (the style is also known as Black IPA or Cascadian Dark Ale), and is a highly hopped black beer.
- The Wind : Introducing our latest bottled beer, The Wind. The Wind is our classic Gose dry hopped with Citra hops and grapefruit. Some of you may have had this beer in the past as a cask beer. Well we liked it so much that we figured out how to bottle it.
- Decommission : Decommission was the final beer brewed on our original brewhouse at The Bruery in June 2015. It’s a hoppy, sessionable lager with brettanomyces, imparting bready, fruity, earthy and funky notes, which pair quite well with the funky personalities of employees at The Bruery, to whom bottles of this beer were exclusively released.
- Vagabond : Last month we invited our very good friend and talented brewer from Iowa, Mike Saboe, into Tree House to create a beer with Tree House with assistant brewer Brendan Prindiville who took the leading role on his second commercial beer…! The result is Vagabond - a highly collaborative, pungent Imperial IPA brewed exclusively with Nelson Sauvin and Mosaic hops. Vagabond pours a brilliant hazy yellow in the glass with a frothy bright white head. We smell and taste super bright notes of papaya, kiwi, blended tropical fruit juice, and a plethora of citrus. She finishes cleanly, with just the right amount of bitterness to balance things out. A beautiful beer to welcome spring - and to celebrate lasting friendship!
- London Fog : London Fog (6.8% ABV – 12 IBU) is a medium-bodied English brown ale made with Earl Grey tea. Notable herbal aromatics including a light citrus spice and a touch of mint are evident from first sniff. Pleasing fruity flavors of peach and raspberry result from the interesting union of malt sweetness and bold tea. A sprinkling of vanilla and milk sugar provide a rich creaminess that coats the palate. Surprisingly, the finish contains only a mild lingering sweetness despite the array of flavors up front.
- Copperqueen : A small batch barrel aged sour aged on white mulberries, lilac and flowers from tulsi basil, beautiful with layers of fruit and flowers.
- Bison Dark Ale : This dark English ale is fashioned after British "old ales" and has been a seasonal favorite for several years. A healthy dose of caramel malts (light and dark) contribute a deep red color that is tempered with just a touch of roasted barley. All of this combines to make a VERY full bodied beer. To balance all of the malts, a healthy dose of hops is added. Simcoe hops are used for bittering and Ahtanums for aroma and dry hopping. (O.G. - 17P/1068. Hops - 69.5 IBUs)
- Biére Blue : A wild golden ale brewed with wheat, this was fermented and aged in very young French oak Cabernet puncheons before refermenting on Oregon Blueberries. Big spicy oak and fruit skin notes present as pronounced cinnamon and allspice, and lend a lingering tannic crispness. Not effusively fruity or sweet, this is a drier beer showcasing the barrel and skin characteristics.
- Enfant Terrible : A blend of hoppy saisons aged for a short time in wine barrels. Notes of funky and lemony Brett, spicy hops and tropical fruit.
- Milly's Van Otis Chocolate Porter : This specialty batch is a slightly new take on an old recipe. For this robust porter, we added 50 pounds of world-famous Van Otis Chocolate to our kettle to produce a decadent dark ale with a clean, chocolate finish. Black and chocolate malts help marry the base malts to the rich chocolate undertone. 
- Guinness Special Export Stout / Antwerpen Stout : This 8% abv stout has long been a secret pleasure among beer connoisseurs and indeed our Brewers, who value the mouth watering intensity of its roasted malt, smoked wood and dark chocolate notes, not to mention it's excellent and seemingly endless finish. Since 1944 we have been exclusively exporting this same special stout from Ireland into Belgium through the vibrant port of Antwerp. This is the first time we're making it available for general release in America.
- India Brown Ale : A big, malty dark brown ale brewed with dark crystal, victory & chocolate malts. It's then hopped AND dry-hopped with 3lbs per barrel of Simcoe. Think of it as a brown double I.P.A.!
- Kongens Brygg Juleøl : A Danish "Hvidtøl", a dark sweet wheat beer with added liquorice and sugar.
- XV : Sugar Creek XV is a masterpiece of brewing ingenuity; a beer that was meticulously designed and engineered to deliver the most flavor and ABV allowed by law. We aged XV for over a year in American Oak Tennessee Sorghum Whiskey barrels, which created a monster beer of 15% ABV with 342 IBUs that finishes smooth and rich without a hint of bitterness. XV is brewed with three distinct Belgian malts and four varieties of American hops, producing flavors of oak, warming alcohol and whiskey balanced by a lush caramel and dark fruit sweetness. The extended barrel aging process contributes complexity to the brew while rounding the edges with delightfully subtle flavors of raisin, plum, candied apple and fresh biscuits. To successfully sustain the fermentation process for such a high gravity beer, a precise blending of fresh wort and three different yeast strains was infused with the fermenting beer at intervals around the clock for the first 14 days of production. In ingredients alone, the cost to produce this beer is an astounding $1,000/barrel, an amount more than 10 times that of our standard offerings! We can only afford to bring this labor of love to you in small quantities, once per year.
- Scratch Beer 57 - 2012 (Weizenbock) : Scratch #57 is brewed with two cocoa powder varieties and two kinds of berries to create a tart twist on a classic German style. Unfiltered and carbonated to a near-champagne finish, the beer is 7.9% ABV. Fermented in our open-top fermentation room, the yeast gives hints of pepper and clove designed to complement the fruit flavors. The cocoa powders add bitterness and some mouthfeel; the boysenberries and raspberries provide a tart, dry finish and the vanilla yields a subtle, sweet finish to the beer.
- Amber Ale : Our rendition of a pacific northwest classic. Brewed with six different kinds of malt for a deep complex malt profile and balanced with three additions of Cascade and Mt. Hood hops. This ale has and enjoyable fruity citrus finish.
- Anniversary Ale : Big in every way and brimming with complexity the anniversary ale is brewed every year in commemoration of our anniversary on Dec. 6th, 1996. Dark and deep in color this ale is full of the flavors of dried fruit, caramel, and spice from the use of seven different hops from England, Germany and Washingtom state.
- Belgian Witbier : A traditional wheat beer brewed using an authentic yeast strain from Belgium. This very refreshing and complex beer is spiced in the kettle with coriander seed, Curacao orange peel and lime peel. True to tradition this beer has a haze from the unique yeast strain.
- Brown Ale : This beer is more oriented on the American side of brown ales. Not bitter, as the hops are added late during the boil for more of it’s aromatic qualities. Notice the fruity nose and chocolate malt flavors to make this what the staff calls a gentle beer.
- Golden Ale : An old Second Street Brewery favorite, brought back for your enjoyment. Crystal, saaz, and the much coveted cascade hops lend this clean and crisp ale, a subtle, yet complex aroma and finish.
- Kickstart Oatmeal Stout : A medium bodied, dark, roasted oatmeal stout with hints of soft, espresso-like tones.
- Chanukah In Kentucky : In early spring of 2015, we brewed a 50-barrel batch of Hanukkah, Chanukah Pass the Beer with 8 malts, 8 hops and 8% ABV. After fermentation we filled first use Heaven Hill and Jim Beam bourbon barrels to age the luscious dark ale. Eight months later, Chanukah in Kentucky was born. Chanukah in Kentucky pours dark chestnut in color with ruby highlights and a creamy beige head. The nose is big and slightly tart with a mix of toasted malt, dark chocolate, woody oak, and the noticeable aroma of barrel bourbon. The first taste is slightly sweet with notes of dark cherry and a confection of toffee, caramel, and hints of vanilla. As it warms, the bourbon character fades making the toffee, chocolate, sweet caramel, vanilla bean and woody oak become more pronounced. This rare and precious offering is smooth with medium body and a dry finish. Share a bottle with your favorite friends and family and delight in the warming of the season. L’Chaim!
- Stream of Consciousness : Kettle soured fruit beer brewed with lactose & oats. Post boil Prickly Pear and lychee purée. 
- Imperial Stout : It’s time again for that wonderful liquid food known as the Imperial Stout! First brewed all over Great Britain for Russia’s Imperial Court. With nearly twice the ingredients as our normal stout, it is roasty and velvety smooth with lots of alcoholic complexity.
- Kidder Special Bitter : This bitter was first brewed in 1998 to commemorate the annual Pecos Conference and named after famed archeologist A.V. Kidder. This beer has a complex fruity “nutmeg” aroma and flavor derived from centennial & cascade hops, blended with a rich satisfying caramel malt profile.
- Scotch Ale : Inspired by the Scotch Ales of over a century ago, this strong ale boasts a big and complex malt palette from caramel malt, chocolate malt, and cherry wood smoked Scotch distillers malt from the U.K. Scotland is very good at growing barley but not hops, so true to style there is just a hint of hop profile in this ale.
- Vienna Amber : The Acadian Vienna Amber is in the classic Viennese style, combining several malts (including Munich and Caramel) to achieve the amber color and sweetness, with just enough Hallertau hops to make the beer complex yet smooth.
- Java Lava : A fun twist on your standard coffee beer. This beer is a blend of our Northwest Red with HomeBrew cold brew from Bellingham Coffee Roasters. This lively take on what is typically a dark beer allows the cold brew to really shine. The lightly roasted beans are bright, critrusy, and acidic. When paired with the dark stone fruit flavor of our Northwest Red, you get a coffee beer like none other!
- Epic Day Double IPA : A complex malt bill with a platform that allows the pungent hop blend to shine with notes of grapefruit, tropical fruit, pine and resin to truly shine. This is sure to satisfy the thirst of the most aggressive hop heads while maintaining remarkable drinkability. 
- Terrapin Hop Karma IPA : "The Terrapin Hop Karma IPA (formerly known as the India Style Brown Ale) is a head on collision between a hoppy, west coast IPA and a complex, malty brown ale. Brewed with 5 varieties of hops and 7 different malts, this hybrid style represents the best of both worlds." 65 IBU
- Oatmeal Brown : Brewed with five variety's of malts including Midwestern barley, chocolate malt, and oats toasted in our pizza oven. Lends this dark brown ales toasty and bready notes balanced with a healthy dose of centennial hops to balance.
- Chicago Saison : Brewed with Chef Nicole Pederson from C-House. Eight pounds of Chinook hops and the yeast of Sofie are balanced in this golden hued ale. Floral with hints of grapefruit and a papaya finish.
- Little Egypt Abt 6 : A beer brewed by monks in Europe for hundreds of years. It is blonde in color, is slightly sweet and has a spicy nose and flavor from the hops and unique fruity notes in the aroma. This beer is moderately strong, but deceptively so.
- Cranberry Sour : This beer starts out as a dry wheat ale that is fermented with lactobacillus and saccharomyces. It is then aged in Oak barrels and undergoes secondary fermentation with brettanomyces. The addition of New Jersey cranberries adds complexity and tart flavors, plus a hazy pink color.
- Dark Force Reserva : Dark Force aged in Akevitt barrels.
- Back To Black: Russian Imperial Stout : This unorthodox Russian stout is like an iron fist in a velvet glove. The dark crystal, chocolate malt and roasted barley are balanced with intense hop bitterness, creating a burnt caramel and espresso aroma with rounded rum and raisin notes. Enjoy, sipped slowly, as an after dinner digestif.
- L.S.D. Lompoc Special Draft : This dark mahogany brew has a touch of smoke in the nose and is rich and complex with notes of licorice, toasted malt and dark chocolate that lead to a smooth, dry finish.
- Flanagan's Amber Ale : Medium bodied, complex balance of malt sweetness & hops bitterness.
- Power House Porter : Full bodied, very dark, high hops with a roasted finish.
- The Cut: Sour Balaton Cherry : The Cut series is Oak Theory aged on whole CO fruit, more than twice the amount of Fruit Stand.
- Little Mandarina : Collaboration with Drake's Brewing Company! Loaded with new German aroma hops that include Mandarina Bavaria, Huell Melon, and Hallertau Blanc, this session Pilsner has bright, tropical notes of passion fruit, melon, and lime.
- Scratch Beer 109 - 2013 (Second Hand Tropical Stout) : Fans of craft beer collaborations will be excited to learn that we’ve brewed another joint Scratch Beer venture with the Cleveland, OH-based Fat Head’s Brewery. This time, we’ve whipped up something John Trogner has dubbed “Second Hand Tropical Stout.” According to John, this sweet stout was brewed with brown sugar, chocolate, lactose, and toasted coconuts, the latter of which were added via our Infüz-O-Matic 5000. The impetus of the name “Second Hand” refers to a visit from Fat Head’s own Matt Cole to purchase some of our old equipment. While he was here, we decided to brew a beer with him. The result is a lush, full-bodied stout with plenty of rich malt sweetness and just enough fruit and coconut to capture the essence of the tropics. Just don’t attempt to go “two-fisted” with this one, as it weighs in at 8.4% ABV!
- La Bête Noire : La Bête Noire is a Irish Stout inspiration, a dark beer creamy flavors of dark chocolate and roasted grain coated with the sweetness of the oats. Surprisingly, the bitterness attributed to hops and roasted malts dovetails perfectly with a chocolate dessert. This beer is listed as delight all evening.
- Bbbrighttt Citra W/ Passionfruit & Blood Orange : BBBrighttt w/Citra was created to be an intense yet elegant showcase for one of our favorite hops - CITRA! For this particular keg we added fresh passionfruit and blood orange to create additional layers of flavor and complexity.
- Box Set Track #5 - Shout At The Devil : Another of our remixed tracks, Track 5 is a blend of two fruit beers — Red Poppy and Framboise de Amorosa bumped with additional fruits and sent to rest in French Oak prior to bottling.
- Cuvee De Tomme : Blended dark strong ale with sour cherries aged in American oak and French oak red wine barrels. 
- Double Trigger Stout : Rich in both color and flavor. This stout is the dark beer you've been looking for. Brewed with 100% Local Hops.
- Village Nut Brown Ale : This northern Arizona favorite has a consistent nutty flavor with just a hint of spice in its depths. A slowly emerging bitterness crops up along the way and is unobtrusively incorporated into the smooth flow. It finishes with a gentle nuttiness and spiciness. Excellent with steaks, chops and ribs!
- Newport Storm '07 : Contrary to the ‘04’, we strived to brew the darkest concoction The Newport Storm Brewery has ever made. To achieve this, we used 7 types of malts and 7 types of hops to really celebrate the year! Dark as night, this brew has loads of complex coffee and toffee notes and pours with low carbonation to really emphasize the sweet malty flavors! Excellent with rich chocolate desserts or by itself while sitting by a warming winter’s fire.
- Oud Bruin Kriek : This sour brown ale was aged on loads of locally grown tart cherries. The result is a complex mix of spice, toasted oak and a rich, cherry pie fruit character. Let this beer warm slightly, revealing notes of cinnamon and tobacco.
- 252 Pale Ale : This pale ale is hazy gold in color, much like an Atlantic sunset on an overcast evening - with a gleaming hop character representing a few of the vibrant and delicious fruits you'll find growing across our side of the Old North State - blueberries, melons and stonefruit. This beer is sure to appease anywhere you're kickin' it in the 252.
- 3 French Hens : Three French Hens is the third in the 12 Days/Years of Christmas Series. We again drew some inspiration from the name and decided that at least a portion of this beer had to be aged in French oak barrels. What we came out with is a bold and spicy Belgian Dark Strong Ale, 25% aged in oak. This beer is designed to take the journey through time until 12 Drummers Drumming, but is a delightful holiday treat right off the shelf.
- Suspicious Delicious : 100% Brett fermented Amber Saison aged on oak, yielding a beer that has light caramel notes, stone fruit flavors, and a hint of oak. 
- Discord Dark IPA : Discord Dark IPA celebrates the marriage of two distinct flavors, the Dark Ale and the IPA. The traditional bitterness of an IPA is juxtaposed against a black malt canvas, creating an ale that keeps your taste buds working to discover all of the unique flavors imparted by the 5 different hops and malts.
- P.G. Steam : The first beer brewed on the new site with the new plant. The name comes from Paul Davey M.D. and Graham Dunbavan Brewer and the Steam as we now had a steam boiler to heat the copper. This complex multi layered ale has a floral hop aroma with medium bodied hop, bitter taste with some fruit and sweetness.
- Endless Vacation Pale Ale : Craft Beer, Fresh, Crisp, Lemon, Heat, Grapefruit, Elderberry, Barbecue or Festival, Endless Vacation, Flower, Alive, Lollapalooza, Thirst, Exotic, Caramalty, Hopified with: Warrior, Centennial, Cascade & Chinook.
- Pullman Porter : All aboard for a very dark and full-bodied ale with its rich flavor coming from the caramel and dark roasted malts used to brew it. This traditional English ale exhibits coffee-like taste notes combined with definite hop bitterness and full malty flavor. Great with steaks, chops and ribs!
- Truckee River Organic Red : Made with all natural barley and hops - pure, refreshing, smooth, nutty, caramelly rich and very satisfying - this unfiltered ale is brewed as a tribute to the brewery's lifeblood, our beloved Truckee River. Certified organic by NV Department of Agriculture.
- Dark Star : Dark Star is inspired by the wandering tribes scattered through the terrible journey of time and space and adrift in the dark matter between the spaces of then and now. Dark Star is a dark, mysterious yet silky oatmeal stout of grand proportions balanced by a firm hop handshake … go ahead, enjoy the journey … Because Beer Journeys Matter!
- Crush the Dark Side : It is a period of intense experimentation. On the brew house in Ballard the Reuben's team have been urgently testing new malt and hop profiles to achieve the ultimate goal. A hazy IPA with enough complexity and intensity to caress and impress the most discerning palate.
- Pugsley's Signature Series: Mint Chocolate Stout : Mint Chocolate Stout is a dark, silky beer with aromas of chocolate and licorice. Smooth chocolate and coffee flavors upfront lead to a subtle spearmint finish. To fully enjoy all the flavors of this ale it is best drunk at 55 degrees Fahrenheit.
- Crusader : Our Crusader commands a legion of Centennial, Amarillo, Simcoe, Citra, and Cascade hops. Battle-hardened from an onslaught of heavy dry-hopping after its four-month journey through chardonnay barrels, Crusader charges forth, wielding flavors of white grape, pine, and grapefruit citrus. One sip, and your faith in its cause will be certain.
- Topical Depression : Collaboration with the boys at Other Half Brewing Company. This time we're brewing a 0 IBU Double IPA with Mosaic and Galaxy and a ton of Passion Fruit purée called Topical Depression.
- Stone / 21st Amendment / Firestone Walker - El Camino (Un)Real Black Ale : Our collaboration beer project between 21A Brewmaster Shaun O’Sullivan and our friends Mitch Steele of Stone Brewing Company and Matt Brynildson of Firestone Walker. This beer takes its name from the historical mission trail El Camino Real (the Royal Trail, now highway 101) that linked the 21 Spanish Missions throughout California and also links the three breweries together. A dark strong ale that floats between a stout and an IPA, it incorporates indigenous ingredients from along the Camino (un)Real. The addition of dried mission figs, pink peppercorns, fennel and chia seeds brings a slight herbal, fruit and spice note built to pair with the malt and hop complexity to this 9.5% ABV beer.
- Alpha Kong : A super fruity, dry hopped, Belgian sextuple, with notes of cardamon.
- Light Squared : This golden ale is a great bridge beer introducing our guests to the world of microbrewed beer. Don’t let its light color deceive you, this beer has great malt and hop complexity and is extremely refreshing and drinkable (even our hops come from three different countries)!
- ESB (Extra Special Bitter) : A not very bitter beer at all, the ESB has a smooth, malty initial mouthfeel that transitions to a marmalade like fruitiness from the East Kent Goldings hop variety. Toffee and light dried fruit notes.
- Embrace The Funk - Space & Time : An oak fermented wild blonde ale aged on Star Fruit and brewed with 12 different celestial hop varieties including: Alpha, Apollo, Aurora, Challenger, Cluster, Meridian, Comet, Equinox, Galaxy, Horizon, Polaris, and Southern Star. This special ale was created to celebrate the solar eclipse over Nashville on August 21st, 2017.
- Blackberry Stout : A fusion of dark malts and blackberries, providing a slightly sweet fruitiness to complement the roasted character of the beer.
- Hello Darlin : Brewed with Mandarina Bavaria, Hallertau Blanc, Citra and Azacca hops, this 'Merican pale ale is for the crooner who's lost a love so warm and true. With its subtle notes of tangerine and tropical fruit, this is the one you'll keep waiting for. Come back darlin', I'll be waiting for you...
- Frugivorous : Pouring with a deep ruby hue and an off-white head, the raspberry is dominant in this brew. Aromas of sweet berries and fruity Belgian esters dance in unison as they lead toward a sweet, fresh raspberry flavor, finally finishing slightly tart and crisp. The overall body is dry, leaving you wanting your second sip faster than you could reach for your first.
- Cellarmaker / Moonraker From Yakima With Love : From Yakima With Love is our hazy DIPA collaboration with Moonraker Brewing. We used our best Washington grown hops to create a fruit and pine forward ale. Centennial, Mosaic, Citra, Simcoe and Ekuanot were used in a heavy handed manner to load this beer with aromas and flavors of lemon meringue pie, guava, mandarin zest and pine sap. We used an expressive yeast to add even more melon, pineapple and pear. 8.6% ABV 68 IBUs
- Embrace The Funk - Callan : Yazoo's Embrace The Funk - Callan is a Belgian Dark Strong ale aged in rare 30 year old Scotch Casks with Monukka Raisins. Fermented with mostly Brettanomyces and a small amount Belgian yeasts, this 10.3% abv beer is balanced, with smooth funky dark fruit notes.
- Buffalo Rodeo : Modern day brewers owe a lot to the 19th century Bohemian brewers of Pilsen. In 1842 the first clear, light colored beer was introduced to a world used to dark and murky beers and the Pilsner style was born. Very shortly after, pilsner style beers were being brewed all over Europe and the United States, with each country and region adapting the style slightly to the brewing conditions and ingredients available.
- Galt Knife Old Style Lager : This lager was named after our beautiful building that once was the home of the Galt Knife Company. This deep gold lager is brewed in the style reminiscent of pre-prohibition beers that were brewed with full bodied malts yet retained a strong hop character in the finish. The pale malt forward beer presents a full bodied creamy taste at the beginning and finish with a complex and enjoyable hop bite.
- Experimental India Pale Ale 2018 : This annual Experimental IPA series showcases our brewing team’s commitment to innovation and the exploration of hops. Our 2018 Experimental IPA features Denali, Azacca, Galaxy, and Vic Secret hops imparting ripe passionfruit, pineapple and orange zest notes with a soft malt finish.
- Hop Slinger India Pale Ale : An India Pale Ale - gets its golden copper color from the light caramel malts, which provide a solid backbone to the support all the great hops. This beer presents with an overwhelming citrus aroma that leads into an unmistakable flavor of grapefruit. Hop Slinger leaves you with a nice dry bitterness that pairs well with spicy curries, salty fried foods and ginger based desserts.
- Look To The Cookie : The second bottle of the Sixth Edition El Catador Barrel-aged Club is "Look to the Cookie". It has been said that nothing mixes better than chocolate and vanilla and New York City's favorite shortbread treat, the black and white cookie, stands as a living testament to that. We can look to this black and white cookie-inspired stout brewed with a harmonious amount of both cacao and vanilla, where rich chocolate flavors and vanilla sweetness live side by side with bourbon barrel spiciness and roasty dark malt character If people would only look to the cookie, all our problems would be solved. If we can't look to the cookie, where can we look?
- Luponic Distortion: Revolution No. 010 : The lead hops include two varieties from the Pacific Northwest and two from the Southern Hemisphere, providing distinct qualities of mango creamsicle, peach ring, and ruby grapefruit.
- Gayle Force Pale Ale : English Pale Ale style beer. Similar to the bitter just a larger amount of the same malted barley is used. The hops we use in this beer are imported from England and added in generous amounts throughout the boil to create a complex hop profile. This slightly sweet beer finishes with a very refreshing hop presence.
- Terrapin Side Project #25 Liquid Lunch Peanut Butter & Jelly Porter : Cut off the crust and unwrap the flavor of this fruit centric beer. Hand crafted using real raspberries, "Liquid Lunch" Peanut Butter and Jelly Porter combines all the elements of a familiar lunchtime snack.
- Permutation Series #32: Double IPA with Galaxy : Permutation Series #32 beckons with a powerful pineapple, melon, and orange creamsicle nose. A cantaloupe and pithy grapefruit palate with soft bitterness is complemented by a pillowy, full mouthfeel.
- Pink Duct Tape : Pink Duct Tape is our next experimental double dry hopped IPA with Galaxy, Ekuanot, and Vic Secret. With over 5 pounds of hops per barrel, expect a huge bouquet of passionfruit, clean citrus and pineapple. Balanced and soft this is a hop heads delight.
- IPA : IPA’s are always about the hops, and this fine traditional ale is no exception. It is brewed with an interesting and continuous blending of four Pacific Northwest hop varieties. These exciting hops are backed up by rich malt flavours that produce a complex character and lingering hop finish. Although this beer has fierce hop, it will surprise with its gentle bite.
- Jameson's Scottish Ale : Brewed in honour of the Jameson clan of tea, coffee & spice merchants, who settled in Victoria in 1889, this beer is a classic Scottish Ale, demonstrating a complex malty body, lightly hopped with a touch of peat on the finish.
- Embrace The Funk - Tropical Stranger : A golden sour with Lychee Fruit dry hopped with citra.
- Scratch Beer 25 - 2009 (Magical Moustache Rye) : Magical Moustache Rye: November is the month of the moustache (no lie). If you don’t believe us check out www.movember.org or take a look at all the scraggly caterpillars residing on the top lips of numerous Troegs employees. In honor of the completion of the Troegs Moustache-Growing Contest we give you Scratch #25-2009 - Magical Moustache Rye. This mahogany ale packs a lingering, earthy hoppiness. The addition of more than 20% rye to the grain bill gives a creamy mouthfeel and hints of spice that compliment the bitterness of hops. Subtle fruitiness come through from the Bravo hops added during the boil, but the Cluster and Liberty varieties used in dry-hopping this beer are the true flavor drivers in this spicy ale. Dark in color and intense is flavor, Scratch 25-2009 finds true balance in a beer that could have easily gone way over the top. Enjoy.
- RyeØ : RyeØ is an intense rye wine brewed with a blend of malted rye and barley and aged in freshly emptied rye whiskey barrels for a year. Complex flavors of rye, malt, oak and hops have married and matured before bottling. RyeØ is a "live" beer, hand bottled and conditioned with fresh bourbon whiskey yeast, allowing it to change its character with time. Enjoy it now or cellar for up to 10 years.
- East Coast Overdose : Oat IPA hopped with Mosaic and Cascade lupulin powder. Dank aromas of lemonade and grapefruit with a dry finish. Pours a bright yellow hue. Brewed with over 50% pats and English pale malt.
- Single Batch Series - Milestone Ale : Milestone Ale is a reflection of Jon Clegg and Tom Abercrombie’s past 10 years of brewing together. This collaboration beer is brewed using a non traditional process of stoning the beer, using granite stones that were heated until red hot and lowered into a wooden vat of unfermented Beer. This process caramelizes the sweet sugars that taste of caramel and light toffee. Tom selected the hops to add hints of pine, citrus and tropical fruit to complement the complex body of this historic Single Batch beer.
- Havoc : An astonishing seven different hop varietals, including Citra, Simcoe, Sorachi Ace, Motueka, Cascade, Centennial and Mandarina Bavaria, will wreak havoc on your senses as the darkness is conjured in this black as night IPA.
- IPA 1000 : This awesome IPA is heavy with grapefruit aroma and lots of citrus in general. It has 7 different hop varieties from the U.S., U.K., and Germany, a pale grain bill for a crisp, dry finish, and is dry hopped with glacier and centennial hops.
- As De Trevòls : Simcoe alone in the Dark
- Squatters Fifth Element : Fifth Element is a delightfully complex and rustic "Old World" style Belgian farmhouse ale. Aged in American oak barrels for a year and bottle conditioned, this artisan Belgian ale is sure to refresh.
- Schlafly Export IPA : Our English Style Export IPA features 100% English hops and a big malt backbone built upon pale and caramel malted barley. The hop varietals, Pilgrim and East Kent Goldings, lend a quality of lemon and spice, which play off of the fruity flavors contributed by the London ale yeast.
- Bottle Rocket Pale Ale : Our Bottle Rocket Pale Ale pays tribute to Dr. Robert Goddard, the genius who invented the liquid-fueled rocket, not far from our brewery. We use local Valley Malt rye (Hadley, MA) which lends a hint of spice and dry hop it with Mosaic hops which imparts fruity, tropical and citrus notes to create a crisp and well balanced pale ale.
- K By Kronenbourg Jaune : K by Kronenbourg est la nouvelle bière "tendance" de Brasseries Kronenbourg. Une bière haute en couleurs à l'univers Karrément Frais et Fruité qui se décline en version rouge, aromatisée au fruit rouge, ou jaune, aromatisée citron-citron vert.
- Highlander Stout : This hybrid stout is our darkest beer. Infused with nitro/CO2 blend, the cascading effect of this beer is a thing of beauty. Distinctive coffee, oatmeal & chocolate flavors dominate this staff favorite. A subtle hop finish rounds out this vision of perfection.
- Abbey Road Belgian Dubbel : This deep brown ale was brewed with imported Belgian Pale, Aromatic, Caramel, Special B, and Wheat Malts. Amber Belgian candi sugar was also used to boost the alcohol and add complexity. A special strain of Belgian Abbey yeast gives it a unique flavor profile. It has an immense, complex nose with a predominance of ester from fermentation. It also has a fruity palate, generous body, and a big aftertaste. A nice compliment with the BBQ Pork Chop or the Filet.
- Bottoms Up : This is a dark beer made with a unique blend of chocolate, caramel, aromatic and black malts, with vanilla beans added in the secondary fermentation. It is delicious. We aged part of the batch in bourbon barrels from the Stonehouse Distillery.
- Rememberance BelGene : This version of BelGene features the Cascade hop. Well known in the American craft brewing movement, it has a firm bitter bite with a grapefruit rind essence. Set in a backdrop of bready maltiness without being too sweet, the bitterness dominates the finish of this Belgian ale. We remember and celebrate the life of our good friend Tim with this beer, realizing life is bitter and sweet, and worth celebrating every moment we have with the people we love.
- Cherry Cobbler Berliner : Brimming with tart cherries, sweet cherries, and creamy vanilla, Cherry Cobbler Berliner is the perfect pairing for your holiday feast. This pastry-style kettle sour starts similar to our other Berliner Weisse beers, soured with lactobacillus bacteria in the kettle, then fermented clean. We added lactose to enhance the creaminess and boost the body, then we fermented the beer on an absurd amount of both tart pie cherries and sweet black cherries. Finally, we added vanilla beans to contribute even more creaminess and complexity and to bring out more of the “cobbler” character, making this an essential “side dish” for any holiday feast.
- Love Letter from the 90's : Imperial India Cream Ale brewed with oats, milk sugar, and Bloody Butcher corn meal from Castle Valley Mill (Doylestown, PA). Dry hopped three times with Galaxy, Mosaic, and Citra. This fruit juice hop bomb has notes of tangerine, passion fruit, dried mango, and papaya.
- Hellwoods : This is an unapologetic beer. Dark, viscous, bitter, and rich — it's a dangerous elixir of love. Originally developed by English brewers in the 18th century for export to the court of Catherine the Great in Russia, our interpretation of the style would surely make lady C proud. We’ve waited our whole lives to brew a beer with such bravado, and it always sells out faster than we can supply the next batch. Some people claim that imperial stouts are only for the dead of winter, but we feel that this sidekick is there for you, anytime you call.
- Robust Porter : Rich in color and character, our robust porter conjures up memories of decadent chocolate treats dipped in coffee. Hints of dark chocolate, roasted coffee and light malty sweetness are the result of a complex malt profile including chocolate malt, roasted wheat and roasted rye.
- Scratch Beer 145 - 2014 (DIPA) : Philly Beer Week is upon us once again, and to commemorate the occasion our brewers have developed a hefty Double IPA as cumbersome as the legendary symbol that embodies the week-long celebration – the Hammer of Glory! Scratch #145 was soaked in some of our favorite American hops before being dry-hopped with two classic citrus-forward varieties (Amarillo and Cascade) to overload the senses with orange and grapefruit. The result is a massive hop bomb teetering on the fringes of 9% ABV that’s sure to provide one with the stamina to wield the coveted Hammer of Glory.
- Eye of Jupiter : Eye of Jupiter is a special blend combining a strong, openly fermented bière de garde with a batch of Six that spent several months in Oregon Native casks on top of second use pinot noir grapes. The beer threads a spicy oak and rye character with bright fruit and acids, while the bière de garde portion smooths it all out for an elegant profile.
- Body Massage : Who wants a body massage? It’s low alcohol season for dark beers, and this little nitro stout is bone dry and soooo, so creamy. It’s a body massage machine … go! 
- Tank Bender : Tank Bender is our first foray into the rare style known as Eisbock. This style involves freezing water off the beer, resulting in ultra-concentrated flavor, deeper body and, in our case, a bent tank from collapsing ice. A liberal addition of Munich malt highlights the toasty and dark fruit notes while a stay in bourbon barrels tames those intense flavors.
- Contrary Voices : An extremely juicy IPA with notes of Grapefruit, Citrus, Passionfruit, and Earth.
- Daylight DIPA : Modern Style Double IPA with strong juicy, citrusy flavors and passion fruit aromas.
- Centennial Rye : Much like an American-Style wheat beer, it is light, crisp, and refreshing, but with a twist: the use of rye malt, adding a nice, almost tart character to this seasonal brew. Unlike an IPA, it uses its namesake hop, Centennial, to add a citrus and grapefruit finish without overpowering the subtle spiciness of the rye. Perfect for warmer weather!
- Sun Up Vanilla Porter : Eight different malts and real vanilla bean create this dark and rich ale. Chocolate and toasted flavors contribute to the complex flavor of this full bodied ale.
- Valerie : Valerie is a blend of two farmhouse ales aged in oak barrels for 3 months. Once these two beers were ready to be blended, we added 4 pounds of earl grey tea and nearly a gallon of grapefruit juice and grapefruit peel.
- Plutonium Porter : A dark, full-flavored ale with a rich, roasted slightly sweet malt flavor and a mild hop finish. Balanced chocolate malt roastiness with crystal malt sweetness. “Don’t be afraid of the dark”.
- Hop Collector : A Belgian-style twist on the classic American IPA. Amarillo and Simcoe hops deliver bright and aromatic notes of citrus, flower and pine. European malts, candi sugar and Belgian esters complete this unique, complex ale. The Hop Collector has arrived and the coffers are overflowing.
- Hoppy Funky : This one is a big fruit forward hoppy Brett beer with a touch of funk. The nose is a crazy, juicy fruit and fruit punch aroma followed by distinct Brett character complementing the fruit flavors brought about by Citra and Mosaic hops. The beer finishes crisp and dry with just enough of a subtle bite to balance everything out. 
- Passionfruit IPA : A wildly fruity IPA done in the popular "NE IPA" style. Made with loads of oats, this juice bomb has a very hazy appearance with a huge hop aroma and mammoth tropical fruit flavors.
- Unseen : A collaboration with Marco of the soon to be open Unseen Creatures in Miami, Fl. A saison fermented in oak puncheons, hopped with Styrian General and conditioned on guava and lychee. Funky, lightly tart, with notes of the aforementioned fruits, bright citrus, Sauvignon blanc, and fruitstripe gum.
- Lunar Aqua : A quenchable and crushable fruit beer with local blueberries.
- Gargamel Ale : Our brewers used a blend of American 2-row barley Malt, Raw and Malted wheat and selected caramel malt to brew this beer. After primary fermentation the beer was inoculated with our house Brettanomyces aged in French Oak wine barrels with a generous amount of local raspberries for over 18 months. Gargamel's aroma is full of un-ripened raspberry, vanilla and citrus notes. This medium bodied beer has hints of biscuit and graham cracker with a clean, fruity and refreshingly tart finish.
- White Birch Apprentice Series Deviant Monk : With this release by David Sakolsky, our fifth brewer apprentice, we bring you an inspired ale. Complex, malty, dark, nuanced by oak, and fermented using his favorite Belgian yeast strain. This is a beer you can enjoy today as well as age for years to come.
- Borg Ale : We are the Borg, and this is our ale. Lower your shields, raise a glass, and surrender your taste-buds. Resistance is futile...But, that's OK because this is the most advanced Black Ale in the entire Delta Quadrant. Created with Dark Munich and Black Malt, this strong Dark Ale is sure to satisfy your Bio-Chip. 
- Hungry Ghost : Biere de Garde brewed with a melange of yeast for a malty but dry finish, with a delicate tartness. Notes of earthy, spicy, rusticity, and a soft pear like fruitiness. This beer was brewed with the very cool team from Burial Beer Co. 
- Pickleweed Point : Brewed with oats and gives off tropical fruit notes. 
- Barrio Taylor Jayne's Raspberry Ale : Named after the brewer’s first daughter in 1992, this is a light beer with a fruit twist. A beautiful aroma greets you followed by a mildly sweet raspberry flavor which leaves a very clean finish. This beer is designed for those who really don’t like real beer. It was originally only going to be brewed for her birth, but people have demanded it ever since so it is always on tap.
- POG Milkshake IPA : This IPA, as at the name suggests has huge pineapple, orange, and guava notes throughout with a medium body that complements the big juice punch it delivers. This beer finishes a lower level of bitterness that again pops the big tropical fruit flavors
- Jack-O Traveler Shandy : Jack-O Traveler is an alluring wheat beer illuminated by the tastes of fall. He strikes a perfect balance between bright refreshment and seasonal spice. Jack is brewed with fresh pumpkin, for a delicious dark-hued, Shandy-inspired beer.
- Hermann's Dark Lager : A proud and passionate Bavarian, Hermann was one of our original Brewmasters. He handcrafted this traditional German recipe to satisfy his longing for a local beer that reflected the true taste of his homeland. Consistently recognized as one of the world’s best dark lagers, this refreshing beer has a toasty malt body, yet is very smooth and finishes clean. We hope you enjoy our authentic Bavarian Dark Lager. Prost!
- Mestreechs Aajt (Dutch - Saccharin Version) : Blend of "Hollandish" Oud Brouin {around 3.5% alc/vol} , "Dortmunder" lager bockbier {around 6.5% alc/vol} and the "primeval" beer. The "primal" beer has been aged in traditional wooden barrels. It introduces lactobacilli, Brettanomyces and other microflora into the very complex blend.
- Flocking Fokker Oktoberfest Bier : Amber in colour and a malty nose of toasted bread with hints of herb and spicy notes from the hops. Full bodied and nutty this bier finishes smooth, sweet and crisp. Perfect pairing for our Oktoberfest sausage special.
- Cornstalker Dark Wheat : A fantastic Dark Wheat. Clean, roasty, round, and surprisingly dry. Incredibly drinkable.
- Full Blip : Full Blip is a play on our beer, Blip. Still a lighter, low ABV IPA brewed and dry hopped with generous amounts of Mosaic hops, imparting notes of citrus, berries, pine, and stone fruit. It’s balanced and bright, with a big aroma and an even softer mouthfeel.
- Espresso Double Stout : Already packed with roasted and chocolate malt, we added locally made, cold-brewed espresso to our Double Stout. The result is just the pick-me-up you need, a deliciously dark brew with abundant coffee flavor and aroma.
- Scratch Beer 176 - 2015 (Red Ale) : Beer enthusiasts have no doubt heard of the Irish Red Ale, a style that originated in early 18th Century Ireland, as well as the American Red Ale, a hopped-up variation on the style. We’re always looking to put the Tröegs stamp on existing beer styles, and Scratch #176 straddles the line between Irish and American, with a bit of German thrown in for good measure. Brewed with three malt varieties including the complex, robust Vienna malt, this Red Ale exhibits a pleasant toasty character amid sweet traces of caramel and toffee. To crank up the bitterness a few notches, we’ve hopped with German Northern Brewer and Saphir hops, adding a minty, citrusy zest and some additional IBUs. The resulting beer successfully unifies three distinct brewing cultures into a single beer – a Red Ale for the craft beer drinker from either side of the Atlantic!
- Elland Back : Pale premium bitter, this beer has grapefruit and citrus top notes and a bitter yet fruity palate from the use of American Hops, including Centennial. Drinks easier than its strength...a little devil of a brew!
- Paloma Pale Ale : Pale ale with grapefruit, guava, lime, tajin, and habañero.
- The Dirty Dozen : This ale was fermented with Belgian Ardennes yeast, then moved to a select oak barrel which already had our wild house yeast. Then we aged it in the barrel for 7 months with 12 different strains of Brett yeast and our house yeast -- hints of peach, mandarin oranges, nectarines, vanilla, and other fruits that you will pick up with age.
- Maltz & Waltz : Dark gold "Austrian style ale"
- Honey Pie Double IPA : In this limited release brew, a solid malt foundation is complimented by a generous amount of locally harvested honey, and you guessed it...HOPS! Our unique blend of hops will deliver aromas of honeydew and grapefruit, and will have you pouring the second beer before you finished the first.
- Tall, Dark & Handsome : Sour old ale aged in fruit barrels.
- Apricot Orchard Brett Golden Ale : Brettanomyces is a species of wild yeast normally seen as a threat in the brewery, but we love the fruity and funky flavors it can produce when used with intention. 
- Carolina Custard : Fonta Flora Carolina Custard is a white wine barrel aged wild ale featuring paw paw fruit, a fleshy, tropical fruit, indigenous to North America. Custard is fermented with a blend of Brettanoymces and Lactobacillus.
- Raspberry Wheat : A lightly carbonated beer with its crisp and fruity flavors is sure to be enjoyed by even non traditional beer drinkers.
- Ambear Red Ale : Cameron’s Auburn Ale is our most awarded beer. Deliciously complex, this West Coast style ale uses an abundance of citrus, aromatic American hops. Named after its unique rich colour, this beer offers a full body that evokes a multitude of different flavors. Watch for the generous hop aroma, smooth maltiness, followed by a deep smooth, perfect compliment for red meat, fish or a spicy food.
- Burn Barrel Dubbel : Rust colored Belgian Style Dubbel with hints of smoke and dark fruits. Domestic Malted Barley, Local Raw Wheat, Golden Raisins, Brown Sugar and a blend of Belgian Yeasts.
- Effortless Grapefruit : The only thing “effortless” about this beer is how it drinks. Domestic and imported malts take a backseat to the loads of American grown hops that are dumped into the kettle. Dry-hopped for mouthwatering aroma with Mosaic and Palisade hops, and infused with natural grapefruit flavor to add to the refreshment. Enjoy an Effortless drinking experience with our Grapefruit Session IPA.
- Coasted Toconut : "Summer" Milk Stout with a hint of toasted coconut. Nice roast character, full body, notes of dark chocolate.
- Blue IPA : Golden straw in the glass, topped by a thick, mousy head and heavy lacing. Light blueberry on the nose with tropical fruits dominating the nose and palate and a dry, spicy finish.
- Secret Stairs Boston Stout : Secret Stairs is our signature Boston Stout. Bold and balanced; satisfying with a substantial body, but not syrupy or sweet. Roasted malt provides a nutty, earthy backdrop to bitter cocoa and little hints of caramel. Smooth mouthfeel with a drying sensation on the finish. We brew Secret Stairs to highlight the unique physical connection between Summer Street and A Street. We raise a pint of Secret Stairs to The Fort Pointer; the neighborhood's favorite protagonist! 
- Mosaic IPA : Our single hop IPA is brewed and dry hopped with Mosaic hops. Clean and crisp with an incredible balance between juicy fruit flavors and hop bitterness.
- Beesment : Beesment was made as a fun one-off for peak summer. The beer uses some spelt and is fermented by a classic saison yeast that produces a fruitier profile than our house yeasts, while the addition of 75 pounds of raw wildflower honey to the open fermenter yields extra aromatics and a natural twang.
- Vengeful Heart : Vengeful Heart is an American-style Barleywine with big tropical fruit flavors and aromas from some of out favorite American hops - Simcoe, Citra, and Mosaic. This huge hop bill is supported by a backbone of caramel, toffee, and dark fruit flavors from a blend of four different crystal malts. Vengeful Heart has a deep ruby color, full body, and a caramel finish. Vengeful Heart should be stored cold and consumed fresh.
- Poverty Beach : In the taproom you might have heard someone ask for a Reach Around, and one of the taproom associates gladly whipped one up. Pull your mind out of the gutter, because that was the unofficial name given to a blend of Devil's Reach and Coastal Evacuation, perfectly pairing dank citrus hops with an in-your-face yeast profile. Inspired by this concoction, we whipped up Poverty Beach - a Belgian IPA loaded with hops to give you the best of both worlds. Our house Saison yeast strain brings fruity esters which mingle perfectly with citrus and grapefruit-leaning dank hops, but we toned down the fermentables a touch to make it a more reasonable 6.3%. Crushable, dank, yeasty, this Belgian IPA is designed to please both hop-heads and Belgian fans alike
- Menace : Menace is a dark, smooth, and exceptionally balanced stout. It is jet black in color. It contains six different malts, which lend Menace its complex, but balanced, flavor. Look for three variations of this beer with a chocolate, a coffee, and a regular version.
- Passin Of Perrone - Pilot Batch : Brewed with passion fruit and fermented with champagne yeast.
- Space Circus IPA : A hop head’s delight, this American IPA will leave your pallet oozing with hop oils. Loads of American hop varieties added late in the brewing process create an array of pungent flavors including grapefruit, apricot and citrus. Light copper in color with a slightly sweet malt undertone, this beer will leave you craving more.
- Munich Pale Ale : This beer has been especially created by our brewmaster for the Paulaner New York City. It’s a top fermented IPA style of beer with a cooper color resulting from the unique blend of specialty roasted malted barley types. Our brewmaster used 3 different hops varieties for this beer also including the American hop "Amerillo" from Washington State to create this ale. Using the American ale yeast for this beer provides a refreshing beer with a fruity flavor. Original Gravity 13,9%
- Intermezzo : May is a time for palate cleansing. Stepping past the heavier flavors appealing in the dead of winter, we arrive at the sprightlier flavors of spring and summer. In our attempt to rejuvenate, we interpreted Chef Paul Liebrandt's mid-course of green apple wasabi sorbet as a sour ale. Pureed green apples from France are added to the fermentation in order to define the familiar acidity of a lactic sour, then the beer is "dry-hopped" on fresh wasabi roots. In Intermezzo, sweet and piquant whiffs of real wasabi cleanse the bright tartness of green apple while the nutty finish of the kernel of pale malt is left to eradicate winter's weight. Drink Intermezzo because it is time to refresh.
- Oak Aged Specialty Beer XXX : Specialty Imports 30th Anniversary Specialty Beer aged in oak barrels for several months. This "Specialty Beer" brings together smooth, dark malts with intense aromatic hops to create a wonderfully balanced yet committed-to-flavor ale. Then this ale was aged in oak barrels for several months."
- Flagstaff Bubbaganouj IPA : A rich golden ale characterized by its upfront hop bitterness & floral aroma. Overtones of fruity esters balance out this bold beer, making it the “Pride of Flagstaff.”
- 5 Golden Rings - Bourbon Barrel-Aged : 5 Golden Rings is the 5th verse in our '12 Days of Christmas' winter seasonal ale series. The only golden ale in the bunch, we spiced up the natural pause in the classic song with cinnamon, allspice and ginger along with the delicious sweet and tangy flavor of pineapple. The barrel aged edition has taken on notable flavors from the time spent in oak, adding a level of burnt wood, sweet boubron and under-ripe fruit.
- Fervent : This ale was open fermented in our coolship with our house mixed culture, then went through primary fermentation and maturation in Chardonny barrels for 12 months. The result is a highly complex structure that has wine-like characteristics. The subtle pear and lemon notes are followed by a delicate woody fragrance. The slight acidity and dry finish heighten the creamy texture, mingling all mellow aspects of the beer. Unfiltered and naturally carbonated.
- Trail Magic : Something different in every mouthful, this beer is inspired by the odd mishmash that is trail mix - chocolate, nuts, and dried fruit - to celebrate the pioneering spirit of those who opt to hike the Appalachian Trail from Georgia to Maine. We use fresh ingredients and a complementary grain bill to accentuate the various flavors.
- Imperial Coffee Porter : There is something about a big, coffee porter that makes it one of the most alluring beers out there. Somewhere between dark brown and black, this beer exists as a beautiful achievement of the richness that only layers of chocolate and caramel malts, combined with some of Bird Rock Coffee Roaster's finest, can compel. Enjoy in front of a fireplace in the evening, or first thing in the morning to start your day.
- Dubbel Jeopardy : Dark sienna color, spicy fruit aroma, fig and prune flavor, medium body.
- Macropus Rufus Imperial Hoppy Red : This bold hop-forward imperial red ale was given the scientific name of the Red Kangaroo because it is Red, Hoppy, and Australian (flavored with all Galaxy hops). A burst of fresh passion fruit and guava meet the nose immediately, with the tropical flavors continuing as you drink. Be careful though, like its namesake this 8% ABV beer has quite a kick!
- Black Currant Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. 
- Mangoteka : An exploration of hops and fruit. Fermented with lactobacillus and brettanomyces claussenii, hopped exclusively with limey, melony Motueka hops and conditioned with over 300 pounds of pureed mangoes. Sour, with crushed citrus, peach and pithy mango.
- Part Past Part Fiction : A classic German-style gose, crafted with 15% flaked wheat & spiced with coriander + sea salt, that's finished with a bold addition of passionfruit. Tropical, tart & eminently crushable.
- Billy Budd : This brew-pub exclusive is a strong brown ale brewed with brown sugar, and dark roasty grain. We created it by combining our Indian Brown Ale, Palo Santo Marron, and an experimental batch of 120 Minute IPA brewed at the Rehoboth Beach brewpub by brewer Bryan Selders.
- Brown Cow Ale : This light brown ale is brewed with a small amount of lightly roasted barley which gives the ale its rich dark color. Mount Hood and Willamette hops provide aroma and bitterness.
- Rabid Duck : The Duck-Rabbit's Imperial Stout is extremely big and robust. This special beer is thick, jet black and oily in texture. Complex flavors of roast malts dominate: bitter chocolate and espresso coffee especially. There is also a very big hop presence both for bittering and for aroma. At 10% alcohol by volume, this brew is made to be sipped and savored!
- Balsam Brown Ale : Northern English style ale with a nutty, roasty flavor and a smooth finish.
- Belly Bongos : This fermentation is an uptempo jazz lyric, a ballad for good times reminisced and fond memories waiting to exist. Hull Melon and Hallertau Blanc hops weave a zesty bouquet of strawberry, honeydew melon, white grape, lemongrass, and passion fruit personalities that rejoice like children at recess when set against the bright backdrop of a sophisticatedly simple grain bill. Now is the time to enjoy some distilled sunshine and beat the rhythm of life on your breadbasket.
- Throwback Hopstruck IPA : Hopstruck is a red India Pale Ale that should appeal to the self-proclaimed “hop-heads” or IPA-lovers out there. With a beautiful dark red color, a crisp, citrus-y aroma, and a lingering hop finish, this beer is sure to please both your eyes and your palate!
- Culmination Chocolate Porter (Brush & Barrel Series) : This dark chocolate Porter is a very rich, roasty beer with top notes of chocolate derived from freshly roasted cacao. Strong but relatively smooth on the palate, its malty sweetness is evenly balanced with bitterness, and a slight dryness from the alcoholic strength. Look for solid notes of coffee, licorice, mild chocolate and more subtle hints of fruit and spices.
- Schlafly Peach Saison Ale : This cloudy, wheat beer is made in the tradition of Northern France’s farmhouse ales, but with the addition of peach purée added during fermentation. The malts lend a soft sweetness while the hops bring out a hint of spice, the French Yeast strain adds complexity and the peach contributes balance and subtle fruit flavors. Much like our other beers of this same style, its strength is in its simplicity, and finishes crisp and dry.
- Curiosity Thirty : Our curiosity continues with an intensely kettle and dry hopped single IPA featuring a combination of both classic and modern American hops. The base of Thirty features pale malt and a bit of crystal malt to produce a beautiful glowing orange color in the glass. We experience intriguing flavors and aromas of pineapple, pear, jackfruit, and juicy fruit gum balanced by a soft bitterness. Thirty is dry and thirst quenching with a fluffy mouthfeel. Originally conceived in 2013, the Curiosity Series is now a mature and important set of beers for us. While contemplating Thirty, it’s fun to look back on what has been in light of what is to come.
- Rampant Imperial IPA : A burly and bitter Imperial IPA, Rampant pours a pure copper and carries the sheen of a rightly hopped beer. The Mosaic and Calypso hops bring stonefruit to the front seat, and the addition of Centennials nod towards citrus for a well-rounded aroma. The taste expands these hops with heavy peach tones and a profoundly bitter bite. There is some malt sweetness to stand this beer up, and Rampant's finish is bone-dry.
- Straspberry Sherbet : Lactose Sour - Kettle sour brewed with lactose and blended with a lot of strawberry & raspberry, bit-o-tartness, super duper fruity toots for realz.
- Dunkel Apple Barrel Ale : A dark sour ale aged in an apple whiskey barrel.
- Gritty McDuff's Red Claws Ale : Gritty McDuff's Red Claws Ale is a what the Brits call a fine session beer: a smooth ale, not too strong and full of flavor. Red Claws Ale has a dark red-amber color; a full, round malt palate; nutty and roasted accents, and a delicate hop flavor that whispers with just a hint of floral finish. The perfect ale for a long afternoon in the pub with good friends and traditional fare.
- Buckwheat Rye IPA : We took the RIPA style to another level by adding buckwheat to the grist! Expect the hop profile to take command while the rye gives this beer a spicy note. The buckwheat lends a mild toasted, nutty flavor to make this one complex IPA.
- Dunkel Lager : Our darkest year round beer however, looks can be deceiving. Dunkel features notes of chocolate with a full malt back bone. Contrary to its dark color, this beer finishes crisp and clean with a round hop flavor.
- Devil's Teeth - Coffee : Devil’s Teeth is a hybrid of an Old Ale and an Imperial Stout, two English beer styles designed to withstand long voyages and dark winters. It brings rich maltiness & robust roastiness in a thick, tongue-coating, aggressively flavorful package. To this chewy mix of old world beasts, we brought a massive dose of our house roasted Black House Blend coffee, a complimentary mix of blueberry-forward Ethiopian and chocolate-forward Sumatran coffees.
- Wunderbar Kölsch : A craft beer that’s interesting and complex while still light and refreshing, our Wunderbar Kolsch is a flavourful take on a German Kolsch. It offers up a lager malt profile fermented with an ale yeast and made with German noble hops. Now available in 6 packs. Prost!
- Gianduja Imperial Milk Chocolate Hazelnut Brown Rye Ale : Gianduja is the name given to a European style of chocolate made from milk chocolate and hazelnut paste. Pronunciation: zhahn-DOO-yuh. This unique rye beer starts with a delicately dark malty background that includes four different types of malted rye for an in depth layered rye backbone to start things off. Look for flavors of milk chocolate from the additions of lactose (milk sugar), coco nibs and hazelnut paste added to the brew. Overall undercurrents of dark fruit with bready, biscuit flavors that last from start to finish. To top things of we aged this fine Rye beer in Templeton Rye Whiskey Barrels.
- Mo-lay : Molay is a sour pumpkin Molay ale. A dark ale brewed with pumpkin and chocolate malt. Aged for 10 months in bourbon barrels with organic tomatoes, chipotle peppers and raisins.
- Smap Cherry : Brewed with 100% maple sap as the brew liquor, this beauty features a touch of smoked malt and a copious amount of cherries. Look for banana, clove, maple, stone fruit and a kiss of smoke as your palate explodes with complexity.
- Can't Keep Up 16 : A blended dark sour ale. Wine and bourbon barrels were involved in the blending process.
- Jopen / Cigar City Brewing - Wayne's World : This American Blonde is brewed with Wayne Wambles from Cigar City Brewing. It's brewed with loads of fruity aroma hops to give the beer a fruity resiny flavour, Then we added spicy juniper berries and fresh sliced grapefruit and to top it off, we aged it on cedarwood. So many flavours in one glass...
- Andre 3000 : For our 3,000th batch, we only used ingredients grown right here in Idaho. Made with IdaPils malt and Idaho 7 hops, Andre 3000 is a S.M.A.S.H. beer, which makes it a simple beer with a lot of complexity. When asked about the aroma, we were told that it smells like Idaho. Its aroma also sits with bright grapefruit and prickly pear notes. This pilsner has a really nice body that complements the mild bitterness. A beer brewed in Idaho with only the finest Idaho ingredients.
- Gimme a 2nd : Wow, have 2 years gone by already?! Time to party with our first limited can release! We double dry-hopped this one to the point of absurdity with Simcoe, El Dorado, Mosaic, Idaho 7, and Citra, weighing in at seven pounds of hops per barrel. The result is a juicy and aromatic explosion, bursting with tropical fruits, citrus, berries, stone fruit, and dank, piney resins.
- Dro-Gose : Collaboration with Lithology Brewing. Dragon fruit gose style ale.
- Topical Depression : Collaboration with The Veil Brewing. A 0 IBU Imperial IPA brewed with Galaxy and Citra and over 400 lbs of Passion Fruit.
- Lost Industry / Hoptimism - Sour Sundae : Our second collaboration with Lost Industry - a banada & cherry lacto smoothie sour! Wonderfully acidic with a fruity sourness. Note - there may be banana pulp in the bottle - for best results, pour 3/4 of the bottle, then agitate before pouring the rest. Ensure nothing is left in the bottle!
- Briarpatch : Brimming with fruit, this brew blends clean layers of dark malt, mocha, caramel and noble hops in our award winning black lager with unmistakable flavor and aroma of ripe, red raspberries.
- Chemtrailmix (2018) : Dark Lord aged in rye barrels with cinnamon + pink peppercorns.
- Prim : We combined the sweet, juicy flavors of plums with the uniquely sweet and savory spice of cardamon to create this rich sour beer. Barrel-aged with our base sour ale, you can expect to find sweet plum flavors with hints of grape coupled with a tart, cardamon spice character. Light pink and yellow hues when poured, fruit and funk aromas, and layers of flavors will have you enjoying this bottle from beginning to end.
- Grand Cru : A blend of both our Brother David’s Double and Triple ales aged in port barrels with our house bacterial culture. This marriage of Belgian flavors with moderate sourness results in a beer that is very tart and fruity, with a sweet malty backbone.
- Karma Payment Plan : Sour IPA with grapefruit
- Nectarine Oro : The rare and elusive nectarine (seriously find a beer with nectarines!) works really well with our base Oro. Fruity, funky, sour and effervescent. 144 bottles.
- Shiner Prickly Pear : Doubly good in triple digits, our unique summer seasonal is made with the fruit of the prickly pear, a cactus native to Shiner, Texas. With a tart, citrusy flavor and a crisp finish, it’s the best use of cactus yet.
- Dunkel : Dark Munich-style lager.
- Amber Ale : You can just notice the chocolate malt in this highly drinkable ale. As with Spin Cycle Red, hops and malt are in perfect balance. Our house yeast really has a chance to shine in this slightly fruity, quaffable lager-like ale.
- Bitter Love (Amaro Amo) : Dark ruby color, brandy soaked cherry aroma, cherry jolly rancher flavor, medium body.
- Double Shot - 6th Anniversary Blend : A tradition that is as old as Dean at this point, we have brewed a big old batch of Double Shot that features a huge blend of beans from all of our favorite roasters. The result is a beer that is dark, fudgy, mysterious, and a mess of delicious coffee flavors from rich milk chocolate to smoke and caramel. It is perhaps the most intriguing and complex base Anniversary Double Shot in memory, and has us curious and intrigued what a blend of five or more coffees can do in the future. This is one of our very favorite beers any time of the year, and a beer that, with its unique presentation, mouthfeel, and flavor saturation, is unique to Tree House. Here it is rich yet powerful, and intense yet enjoyable. Enjoy.
- Nitro Merlin : Our Velvet Merlin oatmeal stout has been transformed into a mindblowing mouthful known as Nitro Merlin Milk Stout. The new ingredient is lactose, a.k.a. milk sugar. When Velvet Merlin is brewed with milk sugar to create Nitro Merlin Milk Stout, the effect is similar to adding cream to your dark roasted coffee. The wizardry comes via “nitro,” the brewing nickname for nitrogen gas.
- IPA : Pint Nine IPA is light orange and leaves bright white lacing in the glass. The beer carries a strong, smooth bitterness, finishes dry and crisp, and always leaves you wanting one more sip. This IPA has aromas of stone fruits (mango, peach and nectarine) combined with piney and citrusy hop notes. A premium beer showing conviction to quality and appealing to the ever increasing number of adventuresome craft beer drinkers.
- Barrel Aged Mountain Standard : Tucked away in a dark corner of our cellar, a liquid as black as coal rests peacefully in bourbon barrels. You know it as Double Black IPA. After a full trip around the sun, the beer has developed into a whole new beast, with notes of roasted malt, sweet chocolate, raisin and caramel.
- Rough And Tumble : Unfiltered and uber juicy #ipa is brewed with wheat and features Nelson, Riwaka, Waimea, and Wakatu from that Middle Earth wonderland of hops, New Zealand! #roughandtumble warms to pungent fruit flavors, balanced bitterness, and a silky body that finishes dry.
- English Ale : A full bodied, full-flavoured robust unique rich dark ale. Clean and smooth with a rich dark roast finish.
- Salt Spring Pale Ale : Light copper in colour and hopped with East Kent Goldings, Salt Spring Pale Ale has a light, clean, and soft texture. A nutty-toffee maltiness with an elegant flowery aroma. This brew was awarded a silver medal at the 2004 Canadian Brewing Awards; it's a "session beer" (great for having many), like the Golden Ale, but more flavour.
- Organic Yellowhammer : "A golden, straw coloured bitter, brewed with Cascade hops adding a flinty, grapefruit aroma that is deliciously refreshing."
- Narwhal Imperial Stout - Barrel Aged : This deliciously dark treat is our bold Narwhal Imperial Stout aged in oak Kentucky bourbon barrels. Black as midnight, this intense stout is incredibly complex with notes of dark chocolate, rich roasted grains, and espresso seamlessly blended with hints of vanilla and toasted coconut with a slight touch of honey from aging in the oak spirit casks. Nearly as rare as its nautical namesake, try it out while you can because, like the creature itself, it will disappear into the blackness soon and leave nary a trace behind.
- Open Arms : Hoppy aroma with a grapefruit bite. Summery IPA that was done in collaboration with 54 40 Brewing Company.
- Green Elephant IPA : Green Elephant IPA has a mellow malt character that sets the backdrop for a big hoppy beast of a beer. Layers of hop flavor come from the copious amounts of hops used in this brew, soaking the beer with hop oil goodness; creating layers of pine and tropical fruits. This beer drinks so wonderfully that you have to be careful. This elephant can sneak up on you!
- Nut Brown Ale : Hearty brown in color and medium-bodied, with a chocolate-malt and toffee finish. Additions of a specialty malt provide the signature nutty flavor.
- Wild XIV : The combination of Brettanomyces and Buckwheat brings about a soft but vibrant fruit cocktail nose with pineapple, honeydew and lime zest elements. The body blends a silky texture from the oak with a light, lemony tartness.
- Send IT/BIG : The flavor is very complex with hints of green banana skins and orange peels Thoroughly refreshing with just enough bitterness to keep you coming back for more. In 9 words or less: Like drinking a boozy Hefeweizen at a Phish Show
- Hibernation Ale - Barrel-Aged : Over 12 months in whiskey barrels has completely transformed our prized winter seasonal, producing a Hibernation that starts with big whiskey flavors before mellowing out into luscious chocolate, dark fruit and vanilla. If you can only take one beer into your cave this winter, we suggest this one.
- Criterium : Our next tiny batch series includes a wheat IPA. A creamy mouth feel from the hearty wheat malt bill is balanced with a healthy dosing of Nelson Sauvin and Amarillo hops. We taste pungent grapefruit pith, and delicate acidic citrus amidst a medley of tropical fruit. A soft bitterness finishes things off, and leaves you waiting for the next sip. We hop you enjoy!
- Test Dry-Hopped Helles : First brewed in May of 2016 and tweaked for Beer Hall service again in September of 2017, Tasting Room – Dry-Hopped Helles leaves the brewery for the first time after garnering tons of fans and becoming an end of day favorite for Boulevardians. A fairly traditional interpretation of a German-style Helles (literally translated: pale in color), European pilsner and Munich malt combine with Hallertau Blanc (bittering), Saaz (flavor/aroma) and Mandarina Bavaria (flavor/aroma & dry-hopping) to create an incredibly soft, light bodied pale lager that boasts flavors of sweet, honey-like malt balanced by herbal, spicy, fruity hop notes suggestive of subtle citrus and tangerine. Quite dry, Tasting Room – Dry-Hopped Helles begs for another sip and proves difficult to set down.
- Swell Rider : A kickflip of an IPA, Swell Rider is made to be enjoyed relentlessly throughout the day. Splashed with tangerines and waves of pineapple, mango and stone fruit hops.
- Freestyle Series #11 : This is a strong dark saison brewed to enjoy during November in Maine. With one foot in autumn and the other in winter, this beer bridges the seasons flavor-wise. We dry-hopped it with American hops, which layers hints of pine over the dry, chocolatey malt base.
- Skully Barrel No. 4: Dark Elderberry : Dark sour brewed with elderberries and aged in oak wine barrels bottle conditioned.
- 1st Anniversary Ale : Happy Anniversary to 2kids! We created a delicious and traditional old ale to celebrate our first anniversary. This is a big, complex beer. Mull it over your taste buds to pick up notes of burnt caramel, toasted bread, and dried fruit.
- Titanoboa : The recent unearthing of Titanoboa was, for many, the most exciting fossil discovery since the T-Rex. A 48 foot snake that ate crocodiles with no effort deserves to have a beer named after it. After 60 million years in hiding, Titanoboa has been reborn as a triple IPA with 10 different hops added at 10 different times in the brewing process. The different additions create an aromatic and flavorful hop experience meant to counteract the bitterness. Featuring over 5 lb of hops per barrel, this is our most complex beer we have done to date and is truly the bigger, meaner brother of Gigantophis. Ideally served at 50 – 55°F.
- Été Indien : The dominant sourness of Été Indien is a result of letting the un-boiled mash do its thing for a few days. The interesting sour character this develops is further complemented by the addition of a heaping pile of fresh fruit shortly thereafter. The result is an incredibly refreshing sour ale where the fruit is allowed to carry through without restraint.
- Farm Truck : Farm Truck is a collaborative experiment between Independent Brewing Co and Hysteria Brewing Co in every sense of the word. The combination of saccharomyces bruxellensis trois and French Saison yeast lends over the top fruity esters before being double dry hopped with Azacca and Ekuanot hops and Mosaic lupulin powder.
- Nordic Night Winter Porter : Chocolate and spice aroma with strong dark chocolate and toffee flavors intermingled with spices, including nutmeg, allspice, ginger, and cinnamon.
- The Thing : Sour Wheat Fruit Saison. 6.0% Brewed with wheat and PA wildflower honey. Fermented atop heaps of passionfruit, lime, and grapefruit.
- Hand Slide Experimental IPA : Citrus. Fruit Punch. Cotton Candy. 
- Das Nanners : This German twist on a Baltic Porter was fermented using a blend of our mixed culture yeast and a traditional hefeweizen yeast. A dark malt bill provides notes of chocolate to pair perfectly with the banana-notes from the hefe yeast's esters. The end product was conditioned on coconut flakes to round out this unique porter with a hint of sweetness.
- Turning Tides : A New England style Double IPA brewed with lots of Oats, Wheat and Pilsner malt. This beer is fermented with an English yeast strain, to give a good mouthfeel, hazy complexion and pungent nose. Hopped with Citra, Simcoe & Mosaic, this beer is sure to turn even the toughest of tides!
- Midsummer Night's Porter : Very dark porter with a complex mocha coffee flavour - the perfect antidote to pale midsummer ales.
- L'assoiffé 8 : As far back as the 11th century, Belgian monks brewed beer, their sustenance depending on it. Their rigor and know-how largely contributed to the development of the brewing traditions. It is in their honor that we produce L'Assoife 8, a Belgian dubbel style brown ale brewed with an addition of Candi sugar (cane sugar). It offers malted notes of dried fruits, molasses and roasted hazelnuts ending on a smooth, slightly sweet finish with low bitterness. On the path to Heaven!
- Belgian Independence Day Saison (2011) : What better way to celebrate the summer and Belgian Independence Day than with a Saison? Our Spiced Saison is a toast to the great brewers of Belgium and the proud history, which they represent. We have used a Wallonia Saison strain of yeast that produces fruity esters and classic earthy notes in the beer. Lemon peel, white pepper, coriander along with grains of paradise are used to give the Saison a delicate yet satisfactory spicing.
- Twickenham Mild Ale : A refreshing, easy drinking traditional English dark mild, made with English Pale Malt and East Kent Golding hops.
- Sapphire Mountain Chimney Top Stout : What would a saloon be without a great full-bodied German style, dark lager with a rich, creamy flavor? Our stout has roasted nut tones and an easy finish with notes of coffee and chocolate.
- DDH Saturation : DDH Saturation is a version of our hoppy pale ale that's been dry hopped a second time just before canning. We take both pellets and lupulin powder of Mosaic hops and freshly layer on top Amarillo, Mosaic and Citra. The result is an extra-aromatic yet crushable juicy pale ale full of citrus and tropical fruit.
- LA-31 Grenade : Grenade is our wheat beer, which we brew to quench Acadiana’s warm weather thirsts. The ale is the color of a South Louisiana sun, and pours with the bright citrus flavor of passion fruit.
- Westly : Westly is a reinterpretation of on of our favorite beers we make here at SARA, West Ashley. It is also an exercise in folly. We indulged ourselves on question: what would Ashley be like with more fruit and longer aging? Twice the amount of apricots and twice the time in barrels, Westly is the answer. We hope you agree that sometimes more is better. Sometimes folly is the path. Sante!
- Dark 266 : Cameron’s Dark 266 is a rare breed of beer that was originally brewed as a one-off draught for one of our specialty beer bars. The demand for an encore was so persistent that that we had to bottle it and share it with everyone. Specialty imported hops and dark malts result in a chestnut coloured lager with a wonderful lacy head. Taste the deliciousness of a North American Lager with the complexity of a German Schwarzbier.
- Beer Kitchen Whiskey Barrel Aged Premium Bitter : An authentic traditional strong ale aged in whisky barrels for 2 months. A rich, dark, nutty chestnut beer with smoky, vanilla wooden notes and a distinctive, smooth, bitter warmth from the whisky.
- Feest Noel : Feest Noel is merriment in a glass - a spiced Christmas ale meant to evoke joy and mystery. This Belgian-syle quad uses dark roasted malts, imported Belgian dark candy sugar and spiced accents of cardamom, allspice and clove.
- Pigs Ass Porter : First brewed by Harvest Moon in 1997, this beer is a multiple award-winning dark ale brewed in the Burton, England style owing to the similarity of water chemistry in Belt compared to this classic porter producing area in England. Plenty of body without a sharp bite, this ale is brewed with pale, caramel, chocolate and black malts to create a creamy, smooth, roasted, slightly chocolate tasting ale with a touch of hops in the finish. This ale can be enjoyed in every season and is best when served cool, not cold. And why the name? While drinking this new brew one evening back in 1997, the local hog farmer showed up to collect our spent mash and we that what could be better for fattening pigs?
- Barley Wine : Considered the Port Wine of the brewing world, this beer is assertive in every aspect. This matures and changes with time, offering a rich complexity, not usually associated with beer. Many commercial products are even vintage dated to help manage stock.
- Buzzerkeley Barrel Project - Napa Valley Sauvignon Blanc : Barrel-aged wild sparkling ales—now that’s innovative. We combined wild Brettanomyces and champagne yeast strains for an ale that’s Belgian funk meets Napa class. To take it up a notch, we aged it in Napa Valley reserve sauvignon blanc barrels. This wild ale is tart and explosive, with notes of yellow grapefruit, pineapple, and guava. Brett yeast creates a drying effect with hints of soft toffee and fresh sugar cane.
- Scratch Beer 23 - 2009 : In honor of Oktoberfest, we give you Scratch #23-2009, Kellar Fest. This unfiltered lager features all German malts and noble hops. Fermented with the Augustinerbrau yeast strain, Kellar Fest is a blend of Bohemian Pils, Munich and Vienna malts. The Magnum hops provide a crisp bitterness and the Hallertau noble hops impart a slight earthy taste. Kellar Fest finishes crisp and dry with hints of fruit. Grab a lamb handle and savor this Kellar Fest.
- Shakedown Street : Something’s shakin’ with Shakedown Street--Southbound’s fresh new take on a French Saison. This light kettle soured Farmhouse Ale is infused with a hefty dose of Southern Cross, lending this brew a heady aroma of citrus and pine. Take some time to poke around, and you’ll discover complex layers of bitterness, pepper and spice dominated by hops and an abundance of floral notes. Too much too fast? Not at just over 5% ABV. So kick back and enjoy the ride.
- Gubna : Gubna was bred from Oskar Blues Brewery’s hankering to confront 100+ IBUs by cranking up the complexity of hops by pouring Cascade on top of copious amounts of Summit, then balancing that with a backbone of German Dark Munich Malt and Rye Malt. GUBNA’s post-fermentation dry-hopping with both hops allows this monstrosity to gently coax the citrus rind and grapefruit aroma while providing a rye malt-induced, spicy-yet-round middle, and a brisk, clean bitter finish (10 percent ABV, 100+ IBUs).
- Thunder Canyon Strawberry Lightning : A crisp, light refreshing fruit beer, brewed with 630 lbs of strawberries. The berries contribute to the color and aroma of this tasty brew.
- Killer Green : Fresh Hop IPA. It's harvest time! Sodbuster Farms in the Willamette Valley graced us with some beautiful Centennial and Simcoe hops straight from the vine. Fresh, bright evergreen, red fruit and blood orange lead the way, pulling juicy pine and kind herb in tow through the finish. Be green. Drink Killer Green.
- Ninja Bread Man : Asheville’s favorite dark beer has a new twist! The brew crew cooked up caramelized ginger, vanilla beans, toasted cinnamon, pureed raisins, and molasses into a delicious concoction. We took this tasty mix and blended it with a batch of our gold medal winning Ninja Porter. It’s like dunking a cookie in a pint. Ninja Bread Man is a sweet beer with incredible aromas and holds the amazing qualities that make Ninja the best Porter around! 
- Stencil Crew : This hazy DIPA is loaded with Simcoe, Citra, and Amarillo hops for an outrageously enjoyable profile replete with tropical fruit, citrus, and liquid goodwill.
- Roes Red : The yeast is Winslow’s proprietary blend containing multiple sachro, brett, pedio, lacto, and acetic strains, with Belgian origins. Following almost a decade of selection, and surviving a fire in the cellar below, this yeast has become its own unique blend designed specifically to work well in light bodied, fruity red wine barrels. The barrels used to age this beer are French Oak and were previously used to hold Pinot Noir in Napa Valley.
- Deux Fois : Farmhouse dubbed fermented with our brand new 2015 foraged yeast culture for a lush fruit character with notes of fresh figs, plums, vanilla and white pepper.
- Nutty Brown Ale : This American-style brown ale has roasted malt, caramel-like and chocolate-like characters, full body, a dark brown color, American varietal hop aroma, flavor and bitterness and fruity esters subdued by the roasted maltiness.
- Artis Dream : As one of the world's favorite hop varieties, Citra makes it apparent why it is so popular. Tons of citrus fruit character with low hop bitterness make this a very approachable IPA. This a collab brew with two fellow homebrewers Brent and Ryan from Beer Karma. 
- Ives Blend 2 : Ives is a label we created for a series of "wild" wheat based beers rooted in the classics from Brussels. In typical Upright fashion, our take is not meant to copy an existing style or specific beer, but to use other examples as a starting point and inspiration. All of the beers under this label use raw wheat and an unusual mash process intended to slowly draw out the barrel fermentation and aging process, creating depth. This release blends five casks aged on very aromatic nectarines from the 2015 and 2016 harvests. A very ripe aroma gives way to more moderate but complex flavors on the palate, with the fruit and acids never overpowering the rest. This second bottling of Ives finishes refreshingly dry with slight minerality.
- Conjugal Visit : IPA w/ lactose, vanilla & passionfruit.
- Gambit : Sour Red Ale Aged on Grapefruit Peel 
- Beta Wolf 1.0 - Sour IPA : Beta is an experimental sour IPA that is tart with an abundance of citrus and tropical fruit flavors .
- El Hopadillo Negro : Late one stormy night at the brewery the lights went off and things got interesting. Ask a brewer and they'll swear up and down it was El Hopadillo Negro himself. Like his kin, El Hopadillo Negro craves bitterness, but has a bit of a dark streak. Suddenly...noises in the malt room, thuds in the hop cooler. The next morning it was bubbling away. Dark as night and laden with American hops, this brew has the tropical fruit and citrus flavors of an IPA with a rich, malty body. Don't be afraid of the dark...
- 100 Barrel Series #37 - Rich & Dan's Rye IPA : This beer is brewed with our proprietary yeast – the same yeast we’ve used since first brewing Harpoon Ale – and some interesting hop varieties. The combination of Pale, Rye, Caramel 60, Flaked Rye, and Vienna yield a complex malt body that stands up to the spiciness of the rye and the pronounced hop flavor. The rye also adds a reddish hue to the beer. The kettle additions of Centennial, Apollo, and Chinook, and the dry hop addition of Falconer’s Flight add a multidimensional hop character.
- TPS Report : Brewed with flaked oats, flaked wheat, tangerine zest, and lemon zests. Fermented 100% with a very rare variety of Brettanomyces this beer is exceedingly aromatic. Aged on French Oak Chardonnay Barrels and roses petals for complex maturity and sweet earthy notes.
- Mosaic : This shadow warrior's ability to stun the senses are the result of an intense, focused meditation on the essence of stone fruit and cirtus notes. This merciless mercenary is also known for attacking stealthily with unexpected pine aroma, which the muthical unicorn always expects but can almost never deflect. Pipeworks Mosaic beckons from the battle ground, "Come at me, brah."
- Tortuga Ale Co. Chocolate Stout : Brewed with nibs from Patric Chocolate, a leader in the craft chocolate movement, using the very finest cocoa beans from Madagascar, expertly roasted to create exceptionally bright and complex depth of flavor.
- Sofia (Tequila-Aged Sofie) : Aged in tequila barrels with tropical fruit.
- Siren Noire Imperial Chocolate Stout : Our Siren Noire isn’t your father’s chocolate stout. We’ve used almost 3 pounds of Belgian coco nibs per barrel. We’ve aged it for five weeks in bourbon barrels with vanilla beans added. A mix of dark malts gives Siren Noire a well-rounded body that is decidedly chocolatey—but without being extraordinarily sweet. Brewers Gold hops contribute an earthy spiciness, with notes of black current.
- Are Wheat There Yet? : Are Wheat There Yet?, our hoppy Wheat Ale, is medium bodied with a hint of wheat and malt sweetness. Magnum and Galaxy hops contribute a slight bitterness balance of honey and malt sweetness. Late kettle additions of Nelson Sauvin and Kohatu hops add white grape, honeydew melon and passion fruit aromatics to this refreshing American Honey wheat.
- Empty Sea : An empty sea needs water, yet exposed reveals wonder known. Delight though firm, sometimes we need to view the inverse of something virtually and see its character and depth. Fermented entirely in oak puncheons Empty Sea is a simple take on complexity; an anti-blend, singular and alone. Unadorned and singular unique, Empty Sea is an effort to question ourselves for the sake of liquid truth. Sante!
- Brains Craft Brewery The Shy Porter : The Shy Porter is a traditional brown porter brewed with the addition of toasted coconut chips and raw cacao nibs. The classic roast malt flavours from crystal, brown and chocolate malts are enhanced by the luxurious combination of coconut and dark chocolate.
- Currant (Black Wax) : Oak aged on 400# of black currants from CurrantC farms located in Staatsburgh, NY. Gooseberry and passion-fruit flavor with hints of raspberry combined with floral aromatic notes.
- 2018 Moment Czech Style Dark Lager : 2018 Moment is very dark, almost black in the glass, but it has a surprisingly light body. It’s brewed with Czech hops, which give it a nice balance and aroma. The malt flavor comes through with suggestions of toasted bread, chocolate and dark fruit.
- Black Current Lambic 1997 Vintage : This authentic Belgian style ale is intensely sour, dry and complex. Brewed in 1997 and aged 12 years in oak casks, this is what James has become famous for. After the initial brew, roughly 15kg of black currants were added to each cask, open fermentation allowed naturally occurring wild yeasts to produce a secondary fermentation which is what gives Lambic its unique sour character. This beer is not for the faint of heart and should be treated like a fine port or an aperitif, sipped and enjoyed with an open mind and refined pallet.
- Creative Juices : Golden Sour beer aged in oak barrels with apricots, grapefruit and grapefruit peel.
- Melrose Double Dry Hopped : Double dry-hopped Melrose is a full-blown West Coast-style India pale ale chocked full of sticky hop resins. Brewed with American 2-row malt and a touch of Canadian “honey” malt, Melrose is generously hopped with Simcoe and Amarillo varieties. We then liberally double dry hop the beer for an over the top aromatic experience with notes of citrus rind, tropical fruits, and pine resin. 
- Karnij : A dark wild ale with 400 lbs of Mead Orchards tart Balaton cherries briefly aged in Hillrock Estate Distillery double rye barrels. NY organic Rye, Wheat, & Barley were custom roasted & cold steeped to maintain a lot of dark chocolate, nutty, & coffee aromas. It's very reminiscent of a tart chocolate-covered cherry with subtle rye whiskey notes.
- Demo Tape Twenty One: Milkshake IPA : A fun take on IPA with Fresh Tart Cherry Juice, lots of Fresno and Cherry Bomb chilies, a touch of vanilla, and lactose. Smooth and fruity with a touch of chili pepper spice on the end.
- Irish Red Ale : This classic beer style was inspired by centuries of Celtic brewing history. Specialty kilned malts such as dark caramel and munich dominate the Irish Red resulting in a ruby red colour and smooth malty taste.
- Oliver's ESB : A special bitter with a dark amber color and smooth body. It has a good malt to hops balance and is fairly high in alcohol. Chosen by Michael Jackson for his book "Ultimate Beer".
- Devil's Secret : Our collaboration with Devils Backbone, the Devils Secret is a rare German Ale called Doppel Sticke. The base style is an Alt Beer but like it’s german counterpart, we have jacked up the malts and hops to provide a rich, full bodied dark ale using the finest German caramel and dark malts. The flavors exude dry fruits and toffee with notes of chocolate and raisins.Only the finest German hops are used in ample quantities to balance this rare German ale to perfection!
- Schwarzbier : A dark German lager that balances roasted yet smooth malt flavors with moderate hop bitterness. The lighter body, dryness, and lack of a harsh, burnt, or heavy aftertaste make this beer quite drinkable. Brewed at Bock strength to highlight the subtle roast, chocolate and rich bread-malty quality of traditional German beers.
- BOFT Dubbel : Deep amber, moderately strong, malty and complex with rich flavors of dark or dried fruit.
- Idiot Farm : Fruit. Juice. Hop. Sap.
- Pekko/Zythos IPA : We took Pekko, a dwarf hop variety and Zythos, a hop blend and teamed them up. The result is a beer with citrus notes and hints of tropical fruits.
- Gose To Hollywood : To Øl got starstruck. This is how we went to Hollywood. Salty, sour, light gose brewed with the best fruits California can offer. Best consumed on warm summer days or on the red carpet.
- BaltiKa Brew Collection - Lingonberry Wit : The basis of Lingonberry Wit is Belgian white wheat (Biere blanche/witbier), a light, unfiltered beer which often has refreshing fruit additives.
- Floridian : A Wartega Family favorite. This ale is brewed with tropical hops and a smattering of citrus zest. It exhibits flavors of lemon, mango, grapefruit, pear, and pine.
- Very Bad Rooster : Brimming with complex malt character and a succulent blend of Citra, Mosaic and Eukanot hops, this Rooster is bigger, darker, badder and out of hand.
- Polar Pumpkin Ale : Rich, malty pie crust like body with notes of all-spice, cinnamon and nutmeg. Dark ruby color, great dessert beer.
- Priory Pale : Priory pale has a unique piney and grapefruit aroma eminating from the use of whole cone American hops.
- 120 Shilling Scotch Ale : This strong scotch-style ale has high maltiness, full body, low hop bitterness, flavor & aroma, low-medium fruity esters, very deep copper color, slight chill haze, clean alcohol flavor balancing the rich and dominant sweet caramel & dark roasted maltiness flavor and aroma with a very low level of peaty/smoky character from the addition of small amounts of peated malt.
- Imperial Vanilla Porter : This smooth, strong imperial porter will sweep you off your feet with notes of dark chocolate, black malt, and a finish of sweet vanilla.
- Bitter Creek A Beer Named Bob : We're not sure when Bob rolled into town. He's kind of gruff, sooty black...smells a bit roasted like his appearance. He still has a sweet demeanor, but watch out - he packs a stout punch. To say the least, Bob has a very complex character.
- Doppelganger w/ Guava : For this rendition of Doppelganger, we added a large amount of guava to help propel the base tropical fruit character of Doppelganger to another level. The result is a hop saturated, juicy hop treat that is sure to be refreshing and delicious on a humid day.
- Portsmouth English Mild Ale : A dark light beer. Yes, it is an oxymoron but this dark ale drinks remarkably light at 3.5% alcohol by volume and only 12 IBU’s (bittering units). A unique session beer with a lot more character than American-style ”lite” beers.
- Hibiscus Goes-uh : This gose gets its pinkish hue from hibiscus. The floral and fruity nose precedes a slightly tart flavor that is soft and refreshing. Finishes crisp with subtle notes of salt and coriander.
- Embrace The Funk - Zure Bruine : A wild sour brown ale inspired by the provisional Oud Bruin style of Flanders, Belgium. Aged in multiple select Red Wine Barrels for over a year to compliment the complex rich malt characters of grape, fig, and raisin
- Short's Aphasia : A medium bodied dark brown Old Ale with a sizable nose of molasses and alcohol. Predominantly sweet, with unique flavors of plum, figs, and brown sugar. Further compliments of toasted malt and an increased ABV, aid in a pleasant warming finish.
- Creative Director : Guava/Salt Single Hop IPA. The beer world is big. The beer world is also way bigger than just beer. I believe that you taste with your eyes before you taste with your tongue. Being that this beer is in a can, we wanted you to taste "strange and cool" with your eyes before you taste "strange and cool" with your tongue. Creative Director was brewed exclusively with Citra in homage to Mikkeller's pioneering Single Hop series that set the beer world on fire many moons ago. Conditioned atop gobs of guava purée in homage to our perpetual marrying of hops and various fruits. Then we added salt just because we were feeling like a bunch of Creative Directors. 
- The Darkness Cascadian Dark Ale : Just in time for the fall season… The Darkness, Cascadian Dark Ale An India Pale Ale, in all things but colour, it's hoppy, bright, and packed full of big flavours. Dark, dark, dark. Pours with almost stout-like black inkiness, capped with a nice tan head. First sensation is the hop forward presentation from copious amounts of late hops, and dry hops. It's followed by a gorgeous roasty body with a hint of wheat chewiness, fruity middle notes and then backed up by bracing bitterness in the finish. This is the time of year when you concentrate on staying warm and comfortable, and crave those rich flavours of the season. The Darkness Cascadian Dark Ale fits the bill perfectly.
- The Narrows : You’ve made it this far. Deep waters carry aromas and flavors of oak wine barrels and raspberry - full, dark and mysterious. Toasted, chocolatly malt and a brisk acidity surround as you sail ever deeper into The Narrows. 
- Rathbone : Wild, dark ale aged in oak barrels.
- Tripel Lindy : Our new Belgian-style Tripel ale made with a complex blend of malts and 100% real sugar. Pilsner-like in body and appearance, with layers of crisp malt, candy, and a balanced hop finish.
- Dynamics Of Living Organisms : Communication, Organization, Cooperation, Equilibrium, Interdependence, Influence. These are the Dynamics of Living Organisms. This Spelt IPA is the result of a variety of living organisms, human and otherwise, working together in pursuit of delicious beer. A well hopped citrus profile gives way to flavors of creamy orange, green and grass, light hay, and fading lemon and grapefruit flesh. We're all in this together, it's time we start working that way!
- Citra + Motueka : Citra + Motueka Imperial IPA is hopped with two of our favorites, Citra and Motueka, and brewed with lots of wheat and oats. Bursting with lots of soft fruit character.
- Gose : Our gose is a tart wheat beer brewed with mineral heavy water and fresh ground coriander. Gose is barrel fermented with a blend of lactobacillus and brettanomyces, which creates a bright, fruity aroma with stone fruit and citrus esters. Fermentation and aging with lacto, as opposed to kettle souring, allows the fruity lacto esters to remain instead of volatilizing them in the boil.
- Thumbprint Oud Bruin : Our Brewmaster Dan launched his Wild Fruit Cave this winter brewing Oud Bruin, a Flander's style ale that is immensely complex both tart and sweet. Soft toffee notes lead with a blend of Wisconsin, British and German malts that first rested in the Coolship before spontaneously fermenting on oak in the cave. Hallertau hops, matured in the horse barn, elegantly support sparkling fruit notes that frolic before a punctuated oak finish. 100% naturally fermented in oak vessels this is beer that can be enjoyed now or the patient few can lay in their personal cellar to age.
- X-Limited Edition Ale (Batch 05) : It is an English Dark Mild ale with mild black malt flavors with a finish of challenger hops. This English dark mild ale will surprise you with its smooth balanced flavors!
- Monsters' Park - Black House Blend Coffee : The coffee rye version is the most complex of the three: the coffee perfectly compliments the roasted notes in the beer and mingles effortlessly with the powerful rye character; this one should not be aged since the coffee will fade relatively quick. In sum, these are cockstaggering beers.
- No Resolutions : In the city that never sleeps we think it's best to live life without resolutions. We say follow your dreams by making plans, not resolutions. Regrets?....sure, we've had a few, but this beer isn't one of them. This IPA brings hops aromas & bitterness in a big way - a variety of hops create a spectrum of aromas ranging from citrus, pine, musky, tropical fruit to lemon grass. With a 7.6% ABV and a heavy hop guarantee this is the ideal beer for those who live life with No Resolutions.
- Happier Ending : Everyone is searching for true love's first sip. Happier Ending is a Russian Imperial Stout gifted with the sweetness of dark chocolate and the richness of cherries. At 10% ABV, it will turn any day into a fairy tale.
- Cherry Picker : Cherry Picker blends the rich grain bill of a Belgian-style Dubbel with the decadent flavor of Montmorency tart and sweet cherries. The result is a complex brown ale exploding with notes of cherry, dark fruit and candi sugar sweetness. There is no shame in cherry picking this delicious seasonal brew.
- Sails Of Charon : This dark wheat beer is new territory for us. With lots of roasted malty flavour, Sails Of Charon is not only named after our favourite song by Scorpions, but also the Greek mythological figure who was the ferryman of Hades, carrying the souls of the nearly deceased across the rivers Styx that divided the world of the living from the world of the dead. The perfect beer to welcome these colder temperatures, Sails Of Charon is a great Fall go to.
- 3 Beagles Brown : It's no secret we love our Beagles, so why not name a beer after them? English style brown ale, no north or south, just English brown. A dry ale with layers of darker malt, chocolate, hints of dry roast, toffee and some coffee. Easy to drink at 5.6% ABV
- TL;DR : Too Long; Didn’t Read is a strong Brettanomyces blonde ale full of fruit and funk.
- Rock & Rye : This Roggenbier, German Rye Beer, boasts an upfront mild fruitiness followed by a sweet rye finish. Traditional barley, rye, and wheat produce a hearty malt flavor balanced with British ale yeast and a twist of orange.
- Winter's Nip : A classic dark double bock featuring 4 different types of malts: Munich light malt, Dark Munich malt, pale malt, and chocolate malt. This is a big beer with a lot of body and it will take that little Florida winter chill right out of you!
- Bern Cruise : Backseat Berner double dry-hopped with citra and laced with a fruit infusion.
- Johnny Utah Fresh Hop : Expect Fresh Hop Johnny Utah to have even more grapefruit and pine aromas and flavors when we put around 1400 lbs of wet citra in to this years 60bbl batch! Thats a lot of hops.
- West Ashley : Orange, lactic, and bursting with apricot aroma, West Ashley is built for consideration and conversation. While Ashley starts as a simple Saison, careful aging in French Oak Pinot Noir barrels with apricots, our house microbes, and warm encouragement transform her into a tart, complex and delectable beer.
- Cantillon Don Quijote : A fruit lambic brewed with Italian grapes similar to Concord grapes or Fox grapes (Vitis Labrusca) brewed exclusively for a Florence, Italy, Pub in 2008.
- Queen Kathryn : We took two barrels of Buffalo Trace's finest bourbon. Both barrels were filled with King George Wee Heavy Scotch Ale to age for 8 months before bottling. This Wee Heavy Scotch Ale has a rich backbone of caramel, toffee, and roasty malt flavors with hints of cherrywood smoke on the finish. Barrel aging lends its complex flavors of vanilla, molasses, oak and of course, bourbon.
- Imperial Red Ale : Brewed with royalty in mind, no expense was spared in crafting our Imperial Red. Generous additions of our favorite hop varieties blend harmoniously with long layers of dark caramel malts.
- The Howling Fantods : Double mashed and boiled overnight. Our Imperial Stout is packed with earthy German buttering hops and finished with choice American varietals. Notes of bitter dark chocolate, coffee, warming alcohol and rich roasted malt.
- Bombardier Glorious English Ale : Our own natural mineral water, the ripest English Fuggles hops and crushed Crystal malt deliver this experience of England in a glass. Peppery aromas give way to the perfect balance of malty richness, tangy hops and sultana fruit on the palate, with a long, soft spicy finish.
- Ironman Imperial Stout : Our Imperial Stout brewed to an Original gravity of 19.5 °P using 10 different types of malt, which combined, weigh 1,465 lbs. That works out to 3.4 lbs per gallon of finished beer or almost 4/10ths of a pound in every glass. The dark malts give a roasty flavor and dark color, caramel malts add sweetness and a full body. Three different hop varieties also add their own complexity (and about 78 IBUs). The bittering hop is Magnum. The early aromatic hops are Northern Brewer. The later aromatic Centennial. The final hop addition is a dry hop with a generous dose of Mt. Hood hops for a fine aroma The Ironman is named for one of our favorite regular customers, Walt Hull, who is a local blacksmith.
- Pingora : Well-balanced and smooth, the dark malts suggest the flavors of coffee and chocolate without being overpowering. This brew starts out malty and finishes with a smart, crisp bitterness.
- Good Alt Days : Good Alt Days is modeled after the famous Dusseldorf Alt beers . The German word "alt" means old - an allusion to the old style of ale brewing before the advent of lager brewing. This medium-bodied ale is well balanced with a nutty, sweet start and a clean crisp finish. Good Alt Days is a signature series brew designed by Rudy Borrego. It has an alcohol content of 4.4%
- Rue B. Soho : Grapefruit lager.
- Panil Ambrata Barriquée : Ambrata Barriquée, an exquisite barrel-aged sour amber ale, is a hazy, golden-honey colored brew that offers aromas of tart lemons and tree fruit, some salty cheese and funk-all underpinned by rounder red fruitiness, notes of almond-like oak, and hints of green olive. It lands almost like bright, intense lambic or gueuze with a modest underlying percentage of world-class Flanders red ale.
- Bourbon Barrel-Aged Snakes Awake : Rise and shine with a jolt! This java rendition of Barrel Aged Snakes boasts intense coffee aromas and flavors. Delectable dark roasted Sumatra beans compliment the layers of chocolate and roast from the base Snake Eyes Stout. With a good zing of barrel character shining through. Wake up with these snakes!
- dHop11 : dHop11 showcases a continuing commitment to hop exploration and dedication to our creative process. For this recipe, we used a new blend of SIX different hops along with a touch of wheat. dHop11 pours a hazy gold that releases notes of tropical fruit. The taste is slightly dank citrus with a mix of tropical flavors, reminiscent of a delicious fruit cup. The beer showcases a reaction we have been working on leaving a dry but juicy finish.
- Graveyard's : Surfboards have a limited lifespan. Sometimes they die in a dark dingy garage and other times they go down in a blaze of glory in board crushing waves. In the fall of 2001, the Oceanside Sandbar got hit with a rare Southern Hemisphere swell. The O’side locals erected a surfboard graveyard with all the broken boards taken. Then in October came the day of the year, when surfers were getting right and left tubes at the same time all morning. More than a few board victims were added to the graveyard, as captured in this classic, iconic image by Steve Sherman. Let’s raise a can of this hoppy pale ale brewed with Mosaic and Australian hops to all the surfboards that gave their life in pursuit of perfect tube rides!
- Symon Says : SYMON SAYS is the special collaborative effort of two Cleveland companies, B Spot Burgers & Platform Brewing. The beer is a Belgian Pale Ale in style made using a specific blend of Belgian and Saison yeasts that lend a fruity/spicy aroma, with a floral and slightly bitter hop presence. It is a medium bodied golden ale that is smooth, refreshing, and easy drinking, but still full flavored and food friendly.
- DC Brau / Union / Stillwater Magic Number : "Magic Number" has a light, quenching body and a touch of flaked oats for a light, creamy mouthfeel. By using a lager yeast we're able to keep the yeast character clean and restrained by means of a cooler fermentation temperature which lets the gentle malt character and the ridiculously juicy hop character be the only point of focus. Floral, citrus, grapefruit, passionfruit, earth, pine and melon. The hops used in "Magic Number" are Amarillo, Citra and Simcoe.
- Pick'n Passion : The delightful aroma of the passion fruit and ripe peaches really shines through on the nose. A noticeable transition of lime and grapefruit hit you mid-palate while the hops added to the base of the beer give the slightly tart, citrusy fruit a great balance and backbone on the finish.
- Fog Horn : A Collaboration with the fantastic people at Pizza Port Brewing Co. Fog Horn is a NE-Style DIPA hopped with Mosaic, Citra, El Dorado, Polaris and Waimea. This incredible combination of hops leads to a flavor that tastes as if a group of Oranges and Guavas had a dance party in a dark dingy warehouse with no windows. Then all of a sudden the Pineapple police burst in on a raid and start spraying the party goers with high pressured hoses filled with dragon fruit flavored Hawaiian Punch.
- Zona Cesarini : An Oceanic Hops Storm. Pacific India Pale Ale with our own innovative blend of hops from all over the ocean (Japan, Australia, New Zealand and America), for a tropical, fruity experience.
- Gimme Mo : Geez—not another IPA! That’s right, this is not just another IPA. Consider it a next generation IPA. A slightly sweet, lower ABV, IPA providing welcome relief from the onslaught of bitter hop bombs out there. Its complex aromatic layers, suggest mango, melon, pine and berries, are driven by whole-leaf Mosaic and Citra hops which are then balanced by an acidulated and pilsner malt bill. Finally, its silky smooth mouthfeel will leave you asking for “mo!”
- Wellness : A probiotic fruit beer fermented with 100% Brettanomyces. Red raspberry for Vitamin C, pomegranate for it’s anti-oxidants and elderberry for it’s anti-viral qualities. Infused with organic astragulas, ecchinacea and woods-grown ginseng. Aged for 2 years in stainless steel with assorted bacteria. A wellness tonic.
- Three Little Birds Berliner Weisse : Brewed with guanabana, passionfruit and guava
- Pynk : We brew each batch with over 3,000 pounds of fresh raspberries and both sour and sweet cherries. The addition of fruit prior to fermentation makes this crisp ale tart instead of sweet. It’s pink in color of course, light-bodied, and refreshing with delicate, delectable berry aromas. We’ll bet the farm that there’s no better autumn seasonal around.
- Touch Of Brett: Mosaic : This dry French-style saison was primary fermented with a blend of Brettanomyces yeasts for a fruity and spicy experience. After aging, it was dry-hopped liberally with Mosaic hops to complement the ripe pineapple, mango, grapefruit, and rose-like flavors that evolved during the aging time. Aged in Oregon and California Pinot Noir barrels.
- Dancing Pierre : This golden Belgian-style unfiltered pale ale dances along the incredibly delicate balance between fruity, spicy aromatics, assertive bitterness, and deep malt character. It’s a difficult balance, depending on taking just the right steps. We think of it as slightly akin to riding on a unicycle while juggling. Never easy but always impressive.
- Oatmeal Stout : Oats give this rich and very dark beer a silky mouth-feel with rich notes of chocolate and coffee. This very dark colored beer is well balanced with strong hop bitterness, made with Pilgrim and Fuggle Hops, and strong roasted malt flavor.
- Grapefruit Hop Nosh IPA : Tangy, juicy and slightly sweet, this IPA features an aromatic burst of fresh squeezed white grapefruit, complementing the bold, hop-forward character of the Hop Nosh line.
- Roughneck Stout : Our tribute to the oil industry workers of our great state. A bold taste of complex roasted malts with just the right amount of hops
- BLK WLF : Black wolves were once thought to be their own unique species. Then a smart person declared them variants of red wolves. Until an even smarter person determined they're actually a gray wolf. Our very own BLK WLF perpetuates the confusion. Dry like an Irish stout. Hoppy like an American stout. Nutty like an oatmeal stout. Creamy like a milk stout. What really is a black wolf?
- Santo : Santo is a black Kölsch, which technically doesn’t exist as a style, but this is as close as we can come to describing it. Essentially it is brewed using a Kölsch recipe with the addition of Munich and black malt. It is light bodied and floral yet with a distinct dark malt flavor. Our goal was to create a dark yet refreshing beer that would pair perfectly with a plate of enchiladas.
- Belgian Rye Ale : This is our summer time dark beer. A completely crazy off the wall idea that turned out to be what it is today. With additions of flaked rye, malted rye, crystal rye and chocolate rye this beer has that wonderful rye spice and dryness in it with notes of chocolate and coffee. The real fun with this beer is how the Belgian yeast acts with the rye malts making it spicy, crisp, dark and the perfect match for a summer day when you want the furthest thing from clear liquid filling your glass. 
- Emergence : New England IPAs have blossomed into something beautiful and reliable this one is brewed with Mosaic and Citra dry hop. Sparks of citrus and grapefruit will burst from the first sip and slowly land on a smooth finish.
- Cuvée Gold : Hardywood Cuvée Gold artfully blends the elegance of wine country with the gentle and balanced characteristics of a traditional Belgian-style Golden Ale. Combining both young and mature vintages aged in freshly emptied Sauvignon Blanc barrels, Cuvée Gold offers light earthy aromatics, a subtle sweetness and a hint of toasted oak that are delightfully dry and delicate on the palate, with lasting white grape and stone fruit undertones.
- Etcetera, etc : Citrus Melon, Pithy, Resinous, Gooseberry (Not Cherry), Exotic Fruit.
- Buzzsaw IPA (2018-) : New hop bill & ABV for 2018. Buzzsaw pays homage to Ypsilanti's early years when sawmills handcrafted the lumber that built the town. Lumber has since given way to beer and our brewers now craft with barley and hops! Loaded with Simcoe, Mosaic, and Citra, Buzzsaw cuts through with layers of tropical fruit, citrus and resinous pine. Let's raise a glass to the craft, whatever your craft may be!
- Ghost Window : Inspired by ghost stories that take place in the historic Peppered Mill and a singularly haunting window at the top of the stair tower of Building 15, which we can see from our brew deck. Ghost Window is a French-style Saison brewed with flaked-rye and wheat, then classically fermented in a re-purposed dairy tank, before being dry-hopped with a healthy dose of Mandarina Bavaria, and finally conditioned with Brettanomyces. This ale is ready to be enjoyed now or, like the tales from the mill, will become more complex over time.
- Imperial Stout : Brewed with the “first runnings” of our Oatmeal Stout, this beer is impossibly opaque with a beige head. Its aroma is a complex blend of roasted and caramel malts. Its body has a full creaminess and the flavor follows through with a rich chocolaty character that lingers in its seductively warming finish.
- Devil's Milk Barleywine Style Ale : Our award winning Barleywine will seduce you with its assertive hop bill (that changes each year to make each vintage unique), citrus flavors, and warming 10% ABV. Devil’s Milk is best served in a snifter to accommodate its ABV and allow complex flavors to emerge as it warms in your hands.
- Sour Me This (Dry Hopped Sour) : This medium-bodied, straw-colored kettle sour boasts vibrant flavors of tangerine, orange, and melon; candied fruit sweetness, and a punch of puckering tartness that lingers long after the beer’s dry finish.
- 20th Anniversary Ale : Weyerbacher is turning 20 this year! How do we celebrate 20 years of bold and innovative beers? With the release of our 20th Anniversary ale! Our 20th Anniversary brew is a Belgian-Style Dark Ale weighing in at 11% ABV. It’s malty with notes of caramel, raisins and berries, as well as subtle hints of coriander and star anise.
- Halvljus : Here at Nya Carnegie, we believe that great beer doesn’t just have to be for evenings, weekends, parties, beer festivals, or dinner parties… What about those times when you want that big beer flavor without the effects of the alcohol that comes with it? What if you’ve got stuff to do? Why should that mean you have to miss out on those wonderful caramel malt notes, that delicate, but insistent bitterness, those tropical fruit hop aromas that we all love and associate with craft beers? We believe we’ve found the answer. In Sweden, there has long been a tradition of breweries producing ‘lättöl’ (defined as beer under 2,25% ABV). More often than not, these brews are ‘pilsner style’ lagers.
- Mole Schwartzbier : Dark German-style lager infused with Chipotle peppers, cloves, cinnamon, cacao nibs, and vanilla bean.
- Bullrider : Strong and malty with spicy and fruity flavors, and a pleasantly bitter finish. Designed to be enjoyed in moderation, as it comes with a kick – 7.5% alcohol by volume.
- Wild Rice Saison : This is a 100% barrel fermented saison utilizing Wild Rice, Barley, and Unmalted Wheat. We threw every strain of brett we have on hand (over 20 strains) in addition to our house cultures which contain Brettanomyces, Lactobacillus, and Pediococcus. This resulted in a very complex saison with lots of fruit qualities (grapefruit, mango, lemon), zesty acidity, and an underlying tone of rustic grains and wild flowers.
- Super! : Super was brewed with an eye to what Belgian tripel may have been, but we just call it a rustic golden ale, or a super saison when pressed for a style to name. What it is is a simple grist of 3 pale malts with a small amount of evaporated cane sugar. It’s medium bodied, fruity and dry, with an ester profile similar to a classic tripel.
- Clapp's Cream Ale : This very drinkable Cream Ale is made with primarily pale malt and a touch of Vienna and warm fermented for a smooth body for a subtle, fruity finish.
- Local Color : This southern, medium-bodied Biere de Garde's genteel disposition allows toasted malty aroma and subtle maple flavor to shine, accented by refined dark fruit flavors and the mild corn sweetness of local stone ground grits.
- IPA 5.0 With Grapefruit Juice : This version of our IPA is made with Waimea and Southern Cross hops which have a lot of melon and citrus on their own. Grapefruit juice will crank it up another notch.
- Night Huntress : A schwarzbier is a black lager from the Bavarian region of Germany. This beer is has a light to medium body and is dark brown to jet black in color. While soft coffee and toasted flavors are allowed there should be no aggressive or pronounced roasted flavors. Bitterness is soft but noticeable from noble hops in the finish. Some equate this to a black Pilsner.
- Anastasia Island IPA : This drinkable, well-balanced IPA has an orange aroma with a touch of pine and toffee from the malts. Finishes fruity with moderate bitterness.
- Cultivation BelGene : The BelGene is our farm’s celebration of hops, which we cultivate from the shoots of early spring, to hand harvesting each variety at peak ripeness, to dry-hopping the batch of 10 kegs one handful at a time. Nugget is the chosen hop variety for this version of the rotating BelGene series; its oils are reminiscent of tangerine and spicy orange with an herbal bitterness. The Belgian yeast adds tropical tones of mango and pineapple to this golden colored, dry, fruity ale.
- Belgian Red : This oak-aged Saison-style beer has a sweetish-tart malt profit and medium-light body. Its aroma and flavor are complexly fruity with firm notes of raspberries and cranberries leading to its very crispy, dry finish.
- Magna Carta : Magna Carta is a rum raisin barleywine that was the brainchild of BBC cellarman Bryson Monroe and Lincoln beer aficionado Josh Fiedler. Big, huge rich up front with a dark fruit/raisin finish and a kiss of rum. You’ll feel like a raisin popping pirate.
- Narragansett Summer Ale : Narragansett Summer is a light session ale made with two row pale malt and citra hops. The citra hops are a very popular, newer variety that deliver aromas of citrus and passion fruit without overpowering the taste buds. The beer is blonde in color and the mild kiss of the hops complement the pale malt perfectly, making it extremely drinkable. 
- Jibe Session IPA : This session beer is designed to satisfy your craving for floral, citrus, and pungent IPA hop flavors. Your palate will enjoy the sensations of a complex hopping and a only 4% abv you'll be able to enjoy more of this hoppy golden ale ... that really isn't an IPA at all.
- Choco Mountain Imperial Breakfast Stout : Our 300th batch here at the pub since opening our doors on Father’s Day 2011! This beer was brewed to be a celebration of all the big flavors we enjoy in a breakfast stout. Flavors of bittersweet dark chocolate, mocha, dark fruits, and smoothness from oats all come to play in this decadent strong ale. Sumatran coffee beans and dark Mexican chocolate were used in our hopback to take this beer to the next level. As if that weren't enough, we finished this unique brew with our signature Guatemalan Antigua cold-press coffee recipe, generally reserved for the Jemmy Dean, and infused the beer with a half-gallon per barrel. Just wait ‘til we empty the whisky barrel housing this beer in our cellar…
- Same Old, Same Old : After brewing a massive imperial stout for the winter season, we took our second runnings of liquid and made a crazy beer with them. We ran the wort into our open fermenter and kettle-soured it for two days with a pitch of lactobacillus. We then finished the beer with a light hopping and pushed it directly into our fermenter on top of the majority of the found fruit and donated berries for the harvest season. This beer is dark in color but light and tart on the palate. It has a light ruby red hue and is really unlike most other beers on the market. We think you will like our take on this old style of Belgian-style sour beer.
- Redhook Winterhook : Regardless of whether you spend your winter months on the slopes, shoveling your driveway or just hiding out, Redhook Winterhook is a great way to chase off the winter chill. This year will be our 27th consecutive release of Winterhook. The recipe changes slightly every winter because nobody likes getting the exact same Holiday present year after year. Redhook’s 27th brew of Winterhook has roasted chocolate notes that smooth out the quick, spicy hop finish. The rich body and nutty, malty backbone make this winter ale slighty naughty and very nice.
- Dawn Patrol Dark : Also known as Dowson's Dark when served at Churchill's.
- Fragments 3 : This is the third in our series of blended American Wild Ales. This beer is a blend of three barrel components. The First is Barn Coat our house saison aged for over 3 months in a third use brandy barrel with a mixed yeast and bacteria culture and loose leaf gunpowder green tea. The Second component is a tart saison fermented with Bartlett pear puree in stainless steel and then re-fermented on oak staves and more pear puree with a mixed yeast and bacteria culture. The Third is a sour golden ale aged for over 11 months on bourbon staves with a mixed yeast and bacteria culture. We then re-fermented the final blend in bottle with freshly pressed pear juice to add even more fruit character . It pours a light golden color with a refined carbonation that is just spritzy enough. This beer exhibits a strong Brett nose and overtone that leads to notes of barnyard, citrus fruit and white pepper. The pear comes though both strong on the nose and on the palate with a crisp refreshing finish. It's complex but also subtle and is a true expression of what pears can do in a beer.
- Trappist Imperial Stout : A massive, roasted, malt-forward American Trappist take on the Anglo-Russo Imperial Stout tradition. Luxuriantly frothy foam, waves of coffee, chocolate and caramel sensations, a generous blend of dark fruit flavors. Intense and robust.
- Pink Flamingo : One sip of this sour and you’ll think you’ve been transported to the shore – Sunshine reflecting off the water as the waves lap at your feet. The citrus aroma of pink grapefruit dances on the nose. Go in just a bit deeper to find a subtle ginger bite splashing in a sea of sour.
- LATE OTT (Light At The End Of The Tunnel) : Brewers Notes: A dark golden session bitter with a mouth-watering fruity nose. It starts soft and fruity on the palate. It soon gains a solid, slightly perfumed hop edge. The finish is beautifully dry and bitter. A beautiful beer for hop heads!
- Stock Ale : Stock Ale is made from blending a strong barrel aged Amber Ale, with some of our Russian Imperial Stout, Baltic Porter, Dopplebock and Type A IPA. This results in a beer with a complex medley of flavors including caramel, light chocolate and hints of raisin with a dry finish.
- Dugges / Stillwater Tropic Thunder : Brewed in collaboration with the American brewer Stillwater Artisanal. Filled with peach, mango, passionsfruit and of course lactobacillus.
- Poseidon 2.0 : This new version of our Double IPA is bursting with flavors of tropical fruit, pine, and citrus with just enough malt to keep everything in balance. Nelson Sauvin and Cascade do the hop heavy lifting.
- Black Butte XXVI : Our 26th anniversary Imperial Porter was aged in bourbon barrels (50% for 6 months) and dry spiced with Theo Chocolate's cocoa nibs, revealing hints of vanilla and chocolate. Pomegranate molasses and Oregon cranberries complement the robust flavor with a hint of fruit and just enough tart to make you smile.
- Scratch Beer 245 - 2016 (Hibiscus IPA) : A standby in teas and juices, hibiscus flowers provide Scratch #245 with its lovely pinkish hue and vibrant floral aroma. A mix of spicy, fruity hops gives this IPA a berry-like tanginess with underlying tropical notes.
- Ale : Tallgrass Ale is the flagship beer of Tallgrass Brewing Company, and we think it will be your new favorite beer! Truly a craft beer, the recipe was first brewed by Jeff as a 10-gallon batch of homebrew. Of all his homebrew recipes, Jeff chose Tallgrass Ale as the flagship beer because of the beer’s surprising light body, extraordinarily smooth and balanced profile, great taste, and clean finish. The first time Jeff brewed Tallgrass Ale he thought it looked a little too dark, but after he kegged that first batch, the finished beer was really, really tasty! That first little 10-gallon batch of Tallgrass was gone way too fast!
- Ruby Grove : Ruby Grove is a golden sour beer aged in oak barrels with grapefruit and fresh grapefruit zest that we blended for Beachwood BBQ’s 10th Anniversary in Seal Beach! To produce this new blend, our production team started by adding grapefruit to 2 oak barrels of golden sour beer that were inoculated with Brettanomyces, Lactobacillus, and Pediococcus. Grapefruit is high in citric acid, so in order to scale back the acidity, we blended it with 2 non-fruited oak barrels of golden sour beer that were fermented with Saison DuPont yeast. After we blended those barrels together, we recirculated this blend with fresh grapefruit zest. Aromatic, juicy, tart, and spritzy, Ruby Grove will remind you of sipping on grapefruit soda.
- Griotte : Strong, dark lager aged in red wine barrels with a blend of wild yeasts for 9 months, then aged on sour cherries for an additional 2 months.
- Oatmeal Stout : A dark, full bodied, roasty ale with a slight oatmeal note in the background. A little sweeter then a dry stout with a slight creamy mouth feel and complexity.
- Golden Eyes : This golden wild ale was aged in French oak puncheons for several months with our house mixed culture. Brewed with raw wheat, rye, oats, and hopped with German Callista. Firm acidity with notes of starfruit and citrus.
- Geary's Winter Ale : Geary’s new Winter Ale is a well balanced and more aggressive bitter, both in alcohol and hop character, without being overpowering. It is dark gold and coppery in color with moderate carbonation. Malt flavors are toasty and fruity, resulting in a tasty blend with firm body balanced by English hops.
- Winter Warmer : Our classic Olde Ale delivers a complex malt flavor and blend of British and American hops. True to its name, this beer finishes with a nice warming alcohol flavor.
- Graf Stolberg Dunkel : Specially kilned dark roasted malt gives the Count Stolberg dark a powerful spice and fine malt flavor.
- Prinsipia : Prinsipia is our take on the classic Belgian quad style. A fairly simple base of two row barley is transformed by the addition of caramelized sugar of beets and dates. A special yeast adds complex flavors of cherries, brown sugar, candied plum, biscuits, and toffee. If you enjoy this beer, be sure to try the barrel-aged version, Tennessee Prinse.
- Dry-Hopped Wandering Bine : Orange, Herbal, Stone Fruit, Pear. Dry-hopped with Equinox and Summer.
- Tröegs / Appalachian / Pizza Boy - (717) Collaboration Ale [2015] : Some of the brightest ideas have come to fruition when friends share stories and a few laughs over a beer. Whether Central PA natives or transplants, we've been brought together in the (717) with one common goal - to brew great beer among great company. (717) Collaboration Ale blends the dry-hopped characteristics of an IPA with the sweetness of local honey, saison yeast and a hint of tartness. The vibrant aroma and bone dry finish come straight from the hearts and minds of Tröegs Brewing Company, Appalachian Brewing Company and Pizza Boy Brewing Company.
- Eisenbahn Dourada (Kölsch) : Eisenbahn Kolsch is an ale produced with four types of malts including wheat. With a light body, gold color and low bitterness, it has a fruity aroma and an abv of 4.8%.
- Craftsman : The deep, almost luminous, mahogany brown color harmonizes with a nutty, toffee-like aroma. Not the least bit cloying, but the “biscuity” malt flavors linger well into the next sip. And the next… And the next…
- Spring Street Wheat : American wheat ale brewed with White Wheat, 2 Row, Caramel, and Munich malts. German Hallertau hops add to the spicy, fruity characteristics of the American Hefeweizen yeast.
- Slightly Lupid #5 : A tropical IPA with big guava fruit notes. While brewing this beer we were listening to Slightly Stoopid which is how we got the inspiration for the name.
- Celebrate Everything : A fresh take on a familiar style, this beer celebrates, well, everything. A juicy IPA with a Belgian twist, Celebrate Everything starts with a big hop nose and finishes with fruity Belgian yeast aromatics. In between you'll get a touch of sweetness and a hint of citrus. Celebrate Everything is bright, clean, and super drinkable. Enjoy!
- Dark Wheat Ale : Begin your adventure into dark beer with this brew. Dark wheat has a light body, yet it is full of rich roast flavor. Malted wheat and barley are combined with roasted, chocolate and black malts for a complex brew that is light on the palate.
- Critterless : Critterless is an American Sour Ale brewed with mango and cherry. The beer has a pinkish hue and pours with a small white head. The ale’s initial flavors of mouth puckering tartness fade into a pleasant sweetness that is accompanied by aromas of ripe fruit. Critterless finishes dry with a hint of rye spice.
- Pay It Forward Cocoa Porter : This fourth beer offered year round in cans is a celebration of malt. Dark and rich with overtones of coffee and dark chocolate, it's chewy and yet smooth at the same time. Brewed at almost imperial porter strength, we add over 60 pounds of the best cacao nibs in each 40 barrel batch.
- Confrontation Of The Unconscious : A blend of fresh and citrusy Saison and one year old red wine barrel fermented red Saison. Complex and ephemeral.
- French Louie Belgian Tripel : French Louie's Ale is a robust Belgian-style Golden Ale with a distinct aroma of citrus fruits and spice. Fermented with imported Belgian yeast and brewed with American hops; light in body.
- Common Sense : This beer is a revival of a beer style that was one of the most popular beers in America prior to prohibition: Kentucky Common Ale. It has a dark color with a rich flavorful taste and a decent hint of hops (22 IBU), but it is light and easy drinking.
- Ferme De La Ville Provision : Our nod to the provisional Belgian farmhouse ales of yesteryear. First, we brew a rustic beer with Belgian malted barley, wheat and rye along with oats, locally gathered honey, noble hops and Belgian farmhouse yeast. This young beer is then blended with portions of barrel-matured farmhouse ales from our wild cellar, and bottle-conditioned to allow for a melding of flavor and body. The result is Ferme de la Ville—a refreshing, tart, golden ale showcasing complex aromas and flavor with a wonderfully dry and vinous finish.
- Sleek IPA : Purring with aromatics from hefty Simcoe dry-hopping, Sleek’s grapefruit, pine, and melon flavors race across the tongue. Dynamic hop taste. Zero drag. Sleek.
- Pleasant Mountain Porter : Rich, dark, malty,moderately hopped.
- Kitten Mittons : Australian Vic secret hops in the dryhop, along with Simcoe hops in the kettle, bring resinous notes of dank pine that combine with the deliciously juicy citrus and tropical fruit notes of citra and el dorado. A characteristically soft grain bill of high-color pale malt, wheat malt, and flaked oats tempers the hop blow in this drinkably balanced hazy IPA.
- Spinnakers 30th Anniversary Grand Cru : Our Grand Cru is a dark-amber, Belgian-style ale with fruity fermentation esters on the nose and a rich , malt-forward body with a caramel, raisin and plum-like character and subtle hints of dark chocolate. At 8% abv, this ale was designed to be savored with friends.
- Piston Hondo : This Big Double IPA packs a potent punch of four pungent hop varieties. Knock-out notes of tropical grapefruit, mango, and pine sit atop a sturdy copper malt body. Strong and hop heavy. 
- White Birch Wild Ale : The first batch of this was a festival only release. Aged with oak chips and the second generation of two strains of brettanomyces. Each strain of brettanomyces was selected for contributions to flavor and aroma while maintaining a low acidity in the finished beer. Notes of dark fruits, grape skins, vanilla, chardonnay and oak mix with a hint of cherry tartness. Velvety, medium carbonation deliver a balanced refreshing drink that the base Belgian yeasts can not create on their own. This beer will be released once per year.
- Mr. Huff Pale Ale : The only thing we take more seriously than Mr. Huff’s head of hair is our beer: flavorful and complex. Mr. Huff is a 5.4% ABV, 40 IBU pale ale brewed using both American and UK hops, and a unique blend of 7 malts. Slightly sweet, with a medium body, and a flavorful and aromatic hop finish.
- Serpent's Stout : The history of the bible and religion is indeed the struggle of good vs. evil. Our Serpent’s Stout recognizes the evil of the dark side that we all struggle with.This is a massively thick and opaque beer that begs the saints to join the sinners in their path to a black existence.
- Cocoa Bear : Midnight black, full-bodied, with dark chocolate flavors coming from the marriage of imported cocoa and roasted & caramelized malts. Six types of malts and two types of cocoa nibs go into this chocolate lovers beer. Chocolate, Cocoa, Dessert.
- Mr. Big's Main Squeeze : Fruity and piney hop aroma with a floral Brett undertone. Flavor follows with notes of peach and a solid malt backbone. Firm bitter finish.
- Pump The Brakes : We loved Even More Unbalanced so much that we decided to "pump the brakes" on it and scale the TIPA down to a DIPA. The same blend of Citra, Galaxy, Denali, Mosaic, and Amarillo pours an intensely hazy tangerine color with a blast of bright tropical mango, pineapple, apricot, and berry. The taste is blended tropical fruit. It remains fluffy but with a proper bitterness for balance.
- Red Rock English Mild : Spawned from the Mild Ale, Brown Ales tend to be maltier and sweeter on the palate, with a fuller body. Color can range from reddish brown to dark brown.Some versions will lean towards fruity esters, while others tend to be drier with nutty characters. They have low hop aroma and bitterness.
- Demon Star : Named after the first-discovered eclipsing binary star, Demon Star, our Russian Imperial Stout, is a beer to be respected and adored. Thick, rich, and powerful, Demon Star boasts a complex palate of dark chocolate, roasted coffee, char, and smoke under a warming blanket of viscous malt. Despite humanity’s best efforts, language has not yet evolved to the point to adequately describe all of the intricacies of this delicious beverage.
- Hawaiian Style Pale Ale : Aloha from Toronto! As the name suggests, this bold, hoppy West Coast pale ale is brewed Hawaiian style—with pineapple. It is naturally carbonated, unfiltered and dry-hopped to provide a delicate carbonation and complex flavour and bouquet. This perfectly "imbalanced" pale ale has a fresh citrusy character with hints of tropical fruit, zest and pine and a refreshingly dry finish.
- 077-07302 - Warrior : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-07302 is the Dubviant tuned up with an exclusive Warrior third dry hop inspired by the places that get it in Jersey City. Warrior backs up 0’dub’s mix of dank resins and tropical fruits with fills of citrus, pine, and herbs. Drink 077-07302 and jam down that dank path.
- Blue Star : Introduced in 1954, Blue Star was awarded the Gold Medal of Leadership in Munich. A popular Newfoundland lager, Blue Star is aged for smoothness and delivers a full, smooth body. Blue Star has a slight fruity aroma that is balanced by the unique taste and aroma characteristics from selected Hallertau hops.
- Brackish : Dark Farmhouse ale with sea salt.
- Peach De Brettaville : Peach de Brettaville is a harmonious marriage of fruit and beer, bringing together our love for brett saisons and farm fresh fruit. We brewed our Saison Dolores and fermented it with our mixed collection of brettanomyces strains, and aged it in wine barrels and our foeders with plenty of juicy peaches and nectarines.
- Bridgetown Brown : This is the "new" Newcastle. Seven specialty malts converge to form a nuanced blend of burnt biscuit and nutty, toffee notes to go along with the herbal and earthy tones of Cluster hops. Medium-bodied but drinkable and dry, this is one bridge that you'll want to cross over and over again.
- Midnite Umber Ale : Every brewery needs a guardian. Meet ours, Christopher; the all seeing gargoyle. He’s been watching over the building for years. As the bell tolls in the darkest hour Christopher is always keeping a watchful eye. Midnite Umber Ale pours ruby brown and has notes of candied apricot, toffee and brown sugar balanced by a solid hand of southern hemisphere hops. The best of tease and temptation.
- Small World Saison : A Puckerfest debut! Upright's Four put in the same casks that aged the above-mentioned Jeux d'eau with the fruit still inside.
- Homework Series Batch No. 6 - Robust Porter : Dark black with ruby red highlights, this Robust Porter is rich and complex. A blend of UK malts, chocolate rye and Belgian candi sugar provide a sweet chocolate, yet rich earthy quality. Malt forward with an aroma full of roasted malts, toffee and dark fruit, this National Homebrew Competition medal-winner is a great dessert beer or to pair with hearty foods.
- Smoky Feathers : We smoked apples from Seedling Fruit with Peat and infused them into 'The Dove' English Mild Pale Ale. This gives gives it a big smoky aroma of natural wood and a touch of scotch, with big apple character in the flavor and a crisp finish. Now pouring!
- Saison Vert : Saison Vert is a wheat based brew using sun dried black limes that contribute not only an attractive flavor of citrus but also a depth that when combined with our open fermentation method and saison strains, results in a complex profile akin to some white and orange wines fermented with indigenous yeasts. The Vert rides the fine line of being easy and enjoyable but full of nuance.
- Pilot Series: Pale Ale : A lighter color pale ale with intensely fruity, citrusy and piney hop character.
- Nirvana Nut Brown Ale : All can find solace in this ale's yin-yang of nutty
- Fragments : This is the first in our series of blended American Wild Ales. This beer is a blend of three components. The first is a sour golden ale aged for over 9 months on bourbon staves with a mixed yeast and bacteria culture. The second is a tart wheat based beer aged for 2 months in a third use brandy barrel with whole hibiscus and lavender flowers. The third is an very tart cherry beer that rested in neutral oak for over 9 months on 3 lbs/bbl of sour cherries grown at Shelburne Orchard in Shelburne, Vermont. This beer exhibits a strong cherry smell and overtone that is balanced by a restrained spice and tartness from the hibiscus and lavender flowers. It's complex and begs you to revisit sip after sip to examine the subtleties that express themselves as it opens up and warms.
- Boy Gene : Our robust Eugene Porter aged in Woodford Reserve barrels for six months with boysenberry purée. Really nice, dark fruit flavors come through.
- Belgian Style Wit : This Belgian style unfiltered wheat beer has fruity aromas of clove, coriander, and orange peel. Low bitterness, refreshing, and smooth. White/yellow in color. True to style, 50% unmalted wheat and 50% Pilsner malt.
- Sherry Barrel Nine : Sherry barrel aging adds a distinct nuttiness and depth to this Belgian Strong Ale, complemented by notes of dark fruit with nuances of oak and a light heat in the complex finish.
- Secret Machine - Strawberry, Mango And Passion Fruit : Fruits on fruits on fruits lactose sour with strawberry, mango and passion fruit.
- Scratch Beer 152 - 2014 (Raspberry Belgian Style Quad) : Scratch #152 features a complex assortment of malts including Abbey, CaraMunich, and Special B to give this Belgian Style Quad a rich, reddish hue and thick, caramelized sweetness. Once the high gravity wort made it to the kettle, we added a combination of Magnum hops for bittering and Saphir hops for a citrusy contrast to the caramel malts. Belgian Candi syrup and cane sugar was then added to bolster the ale’s sweetness and alcohol content, while dark chocolate and fresh raspberries were tossed in to put the proverbial “icing on the cake.” Finally, we pitched Abbey ale yeast for a complementary spicy balance. Savor this unique interpretation of a Belgian style that’s been enjoyed for generations.
- Apricot Rebus : From the same mixed culture that brought you Lucky Cloud, Rubus Rebus, Boysen Rebus, and Plink. Complex farmhouse notes with pineappley brett and lactic acidity. Big, jammy apricot flavors and even some fruit particles in suspension! Barkeeps, avoid restrictor valves on this one; as with Rubus and Boysen, this is brewed with about 30% fruit puree by volume. Light dry-hopping with Azacca. Brewed at Flagship on Staten Island.
- Market Fresh Saison #2 : Grapefruit and Rosemary
- Buckner Porter : A dark, robust ale made with caramel and chocolate malts balanced with fresh Cascade hops.
- Thomas Hooker Imperial Porter : Full bodied and rich color, our imperial porter has hints of roasted coffee, cocoa with a generous hop finish. Dark roasted malts blended with the crispness of English hops, this beer is smooth yet complex.
- Dragonmead 90 Shilling Scottish Ale : This 90 Shilling Ale is a Scotch Ale slightly lower in gravity and is a refreshingly malty beer. The dark amber color betrays its slightly sweet, caramel roastedness. There is very little hop bitterness and it finishes with a gorgeous clean, dry, smoke.
- Lake Effect : Blonde color, bright fruit and bubble gum aroma, citrus hop flavor, medium body.
- Ice Scraper : Black as night with garnet highlights on the edge and topped with a persistent tan head. This 100% Columbus IPA is full of piney and resinous hop character. The hops ride on the shoulders of dark roast coffee and baker's chocolate from the malt. With a medium-full body it leaves your mouth with a lingering malt and hop bitterness.
- August IPA : Single hopped with Amarillo! Citrusy, fruity hoppy goodness in a glass!
- Red Rock Munich Dunkel : An old friend of Bavaria, Munich Dunkels are smooth, rich and complex, but without being heady or heavy. They boast brilliant ruby hues from the large amounts of Munich malts used, and these malts also lend a fuller-bodied beer.
- Vindictive II : California is renowned for producing some of the greatest zin and stouts in the world. We combine that pride and passion in this varietal of our Black Tuesday imperial stout, blended and fermented with juice from Zinfandel grapes from Old Potrero vineyard, a sustainable, dry-farmed, old vine vineyard in the Arroyo Grande Valley American Viticultural Area, thanks to our friends at Field Recordings Wine. After maturing for nearly a year in medium toast New American Oak puncheons, this release vanquishes the boundaries between wine and beer in a full-bodied foray of dark fruit, berries, jam, oak and spice.
- Prinz Of Darkness : A true-to-form pils that we darkened via a late mash addition of blackprinz and other dark malts. A little hop dankness and roast in the nose, light body.
- South Town Small : Roasted malt and Caramel flavors dominate the nose and taste. This porter finishes with a dry maltiness. We added a bit of molasses to enhance the flavor and complexity.
- Late All Day Pale Ale : A hoppy grapefruit nose with a sweet caramel flavour. Soft golden colour and a brilliant white head LAD finishes with citrus notes and a smooth refreshing bitterness.
- Yellow Submarine : The Beatles meet Ravi Shankar. Brewer Heather McReynolds started with a malty English ESB built on Maris Otter Barley, and added yellow curry for a spicy twist. It's alluring, complex, balanced from East Kent Golding hops, and great with food. 5% ABV.
- Newport Storm - Tim (Cyclone Series) : Dunkelweiss- German for ‘dark white’ or ‘dark wheat’ beer is an extremely rare style of beer. Cyclone Tim is one of less than a dozen Dunkelweissen currently in existence, in the entire world! Complete with roasted chocolate malt and hints of banana and clove from the Hefeweizen yeast, Tim is a sure to delight!
- Au Naturale Stout : Au Naturale Stout is our ode to doing things the right way instead of the easy way. We sourced a high quality cocoa and a smooth, creamy lactose to create a silky, milk chocolate flavor, then used a blend of real toasted and untoasted hazelnut to create a subtle, nutty (nutty..ha!) finish that hides the 9.2% ABV perfectly. While other breweries are content to use flavor extracts to make in-your-face dessert beers, we prefer to put in the extra work to craft a delicious, balanced brew that keeps things all natural.
- Cosmonaut : Cosmonaut takes our flagship IPA, Rocket Science, and spikes it with a heavy-handed dose of grapefruit peel and puree to up the citrus aroma and flavor.
- Sensee Party : Sometimes you just need a vacation, whether it’s from running a brewery, making or selling beer all day, or writing long drawn out beer descriptions that take way too much time when people probably don’t even read them. Well a flight to Jamaica isn’t in the forecast, but at least we have Sensee Party, a juice-driven IPA with all the notes of an island vacation. Aromas enter the atmosphere with big notes of passionfruit, pineapple, citrus, sinsemilla, and a hint of banana puree. A little bit of malt character accentuates the sweet profile of the hops to make this IPA taste like a softly carbonated rum punch. With a creamy body and little bitterness this is an IPA that won’t blow out your palate while day drinking but will certainly make getting out of a hammock nearly impossible. Maybe an all-inclusive resort isn’t in our near future, but we’re good settling for a mid-day Sensee Party this weekend.
- Augustus : Robust porter with espresso and bitter chocolate flavors, finishing with subtle notes of caramelized sugar and dark berries.
- Red Hop Rye : When you first smell the Red Hop Rye you'll notice an abundance of HOPPY citrus aromas from our dry hopping. As you take your first sip you'll notice the spicy RYE mixed with hops BALANCED by a MALTY backbone from American caramel and HONEY malts. This give the Red Hop Rye it's dark red color. This is a great example of an American hybrid of beer, a Red Rye IPA. 
- Bigger And Bretter : A Biere de Garde with an extra layer of depth and complexity by bottle conditioning with Brettanomyces.
- Abbey Normal : BJ's Abbey Normal is what the Belgian's call a Dubbel (or Double Ale), which is the most popular style of Abbey Ale. This historic beer style is traditionally brewed by Trappist Monks in Belgium. A full-bodied, light brown ale with a fruity flavor profile, the unique bouquet of fruit and spice comes from fermentation with an authentic Trappist yeast.
- Inkwell : Waves of silky roasted notes lead to layers of caramel, chocolate milk and espresso; further cocoa & coffee in the nose, followed by suggestions of dark fruit & black walnut; brewed with 7 malts & flaked oats
- Equinox Imperial Rye IPA : Golden in color, with a malt complexity resulting from the use of almost 20% rye in the mash, this delivers an avalanche of hop aromas and flavors derived from a mash hopping with Cascades, and a dry hopping with Equinox, Horizon, Chinook, Bravo, and Cascade. This beer is guaranteed to bring out the bright and refreshing notes of these hops.
- Firestone 19 - Anniversary Ale : “We blended together 235 oak barrels and four different beers creating something truly complex and exceptional.”–Brewmaster Matt Brynildson
- Timbo Pils : We took inspiration for this West Coast Hoppy Pilsner from both German Pilsners and West Coast IPAs. We used more German influenced hops in the kettle (Czech Saaz, Opal, and Saphir) which gives the beer a softer bitterness and a nice floral and earthy hop base. We then used Mosaic and Motueka for dry hopping to bring out the tropical west coast flavors of mango, riesling grapes, and passionfruit.
- 100 Barrel Series #11 - Framboise : Framboise, French for "raspberry", is a Belgian-style fruit lambic. Made with more than 4,600 pounds of raspberries, 50% wheat at a gravity of 14°p it has all the makings of a great summer time beer. Highly carbonated, it produces a wonderfully pink, lacey head. The burgundy color foretells of intense raspberry aromas. A nice, sweet start finishing with a tart and acidic finish that is light and refreshing.
- Oude Tart : Oude Tart is our take on a Flanders Style red ale. It has won back to back gold medals in that category at the World Beer Cup (2010 & 2012) as well as a gold medal at the Great American Beer Festival in 2010. This sour red ale ages in oak barrels for anywhere from 6 to 18 months before being carefully blended to taste. The resulting beer is pleasantly sour with hints of leather, dark fruit and toasty oak.
- Native Storm : Nutty biscuit body meets orange, citrus with a touch of delicate spice. At the eye of the storm, in the depth of legend 1400. Owain GlynDwr Welsh ruler, conquering spirit. His legend forever remains.
- Wandering Bine : Green Apple Skin, Mixed Berry, Tannic, Fruity Funk, Bone Dry. Foudre Fermented Saison.
- India Red Ale (I.R.A.) : "The "IRA", as it's known around here, marries a ruby red color and rich body with the hop flavors of an IPA. Our unique ale yeast strain adds a delicious layer of complexity. One of the first beers we made, and an enduring favorite."
- Embrace The Funk - The Adventures Of Jimmy Mitchell And Michelle West : Collaboration with New Belgium Brewing Company. Oak aged sour blonde lightly fruited with sour tart cherries and pink grapefruit.
- Carpe Brewem Imperial Mango IPA : Ripe with aromas of mango and tropical fruits
- The Kragle IPA : An assertive west coast IPA dominated by bright and juicy American hops. The huge complex aroma is dominated by complimentary pine and resin notes. On the palate this aggressive but drinkable ale delivers with an array of citrus flavors highlighted by a bright subtle fruit candy character from calypso hops, and balanced with a malt profile reminiscent of rye bread. This beer pairs well with fatty cuts of steak, green chile enchiladas, buffalo wings, or a classic cheeseburger.
- Éphémère (Pear) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Wild Syd Dickersin : Wild Syd Dickersin began life as an Imperial Stout, and then spent a full year in sour oak casks. End result: big, rich, funky and fruity, with robust, penetrating dark cocoa around back.
- Cal Common : This all-American style is a malty Amber lager, which has been fermented warm to add a hint of fruitiness.
- Mars - Belgian Imperial Red IPA : Named after the Roman god of war, MARS radiates red color and brilliant beauty yet enrages the taste buds with wrathful force. This Imperial IPA seizes its intense bitterness from an immense amount of hops. Belgian yeast retaliates, adding complexity and character.
- Voreia India Pale Ale Beer : The Voreia I.P.A. belongs to an unusual class for Greece. A beer with generous additions of American hops and three kinds of malt, citrus aromas and coniferous amber color, long aftertaste and 7 ° degrees alcohol hidden well behind its perfumes. The taste, rather bitter, the caramel from the malt to get into a game with balanced hops and together create a beautiful, harmonious result. Also, as the temperature increases beer, the feeling in the mouth is more velvety, while the body is proportionally more dense and distinguished an idea of grape-fruit.
- Papa Noel's Olde Ale : "This holiday ale was brewed in the English 'old ale' style, a traditional strong ale style that is sometimes called a 'winter warmer.' The warmth comes from the alcoholic strength of the beer, which weighs in at about 7.2% by volume. It is an attractive dark copper-brown hue and is extremely full-bodied. Papa Noel's
- Fatso : A huge, viscous, full-bodied, dark as night, imperial stout yet somehow amazingly drinkable. Big aromas and flavors including dark fruits, roasted malts, dark chocolate, and spiced rum. Not for the faint of heart. Big but surprisingly nimble, as it can compliment any course of a meal.
- Zested : Refreshing mixed-culture sour ale with a blend of citrus zests including grapefruits, oranges, limes, and lemons.
- Wrecking Ball Baltic Porter : Brewed with molasses this dark and strong beer makes fast work of Winter. Used as the base for our Happy Dog Coffee Porter.
- Invisible Grooves Experimental IPA : A kaleidoscope of soft & fruit-forward aromas and flavours. Small batch, Experimental India Pale Ale dry-hopped at a ratio of 3 LBS. PER BBL exclusively with Vic Secret. 
- 07701 - Apollo : 077xx is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07701 is the Dubviant tuned up with an exclusive Apollo third dry hop inspired by the places that get it in Red Bank. Appollo's monster Alpha Acids opens 0'dub's mix of dank resin and tropical fruit aromas with a citrus blast. Drink 07701 and see what happens when alpha is the omega.
- Floral IPA - Beer Camp #53 (Best Of Beer Camp) : This unique take on the traditional IPA style pairs the bold and intense aromas of whole-cone hop "flowers" with aromatic natural rose hips and petals for complex aromas and unexpected flavors.
- Less Than Supper : Bright and floral, with a careful balance between fruit and dank. Extremely quaffable for a higher alcohol brew and features layers of malt flavor to complement the hops.
- Spontane : A little more than a year ago, this blend of our 100 percent spontaneously fermented wild ale was inoculated overnight in our custom-made coolship. We then refermented in the bottle, resulting in a complex, truly wild ale with notes of stone fruit, honey, and loads of barnyard funk.
- Alt Acquaintance : We brewed this beer with Ryan Jackle of Wise Man, who previously worked at the Brew Shed (sense a theme here?). Altbier is a somewhat uncommon style, and this one is complexly malty up front but balanced on the finish by firm bitterness.
- Boys To The Yard : Milkshake IPA in collaboration with Pizza Port's award winning Brewer Nacho Cervantes. Up front you get aromas and flavors of strawberries and stone fruit forward hops such as Idaho 7 and El Dorado. Then a second after you swallow comes a subtle but lingering milky sweetness from the added lactose.
- Éphémère (Cassis / Black Currant) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Quintessence : A very strong beer brewed only once in honour of Dieu du Ciel’s 5th anniversary. It's a scotch ale and barley wine hybrid. Brewed in part with English smoked malt (smoked with peat moss), this beer was aged for several months in oak barrels previously used for the maturation of maple sap liquor produced by Domaine Acer. To the taste, it has a strong alcohol flavour rounded out with subtle fragrances of red fruit, caramel, smoke, maple, vanilla and oak. Since its production, this beer never ceases to amaze with its infallible capacity to age gracefully.
- Solstice D'hiver : This noble winter beer is brown in colour with flaming red highlights. It has a complex aroma of fruits, alcohol and hops. Its taste is delicately sweet and liquor-like with a hint of burnt caramel. It is a very bitter beer with aromas and flavours reminiscent of red fruit. The aftertaste is accentuated by the wonderful flavour of hops.
- Beartooth Pale Ale : Beartooth Pale Ale is an American-style pale ale. It is copper in color and has a nutty malt flavor. The signature flavor of this beer is its moderate hop bitterness and grapefruit-rind hop flavor and aroma.
- Grapefruit Basil Breakaway IPA, Dry Hopped With Falconer Flight 7cs : This cask bursts with flavor as our traditional English IPA moves over to the American taste. Grapefruit and grapefruit zest add to the flavor elements, and Sweet French basil balances the acidity. Dry hops, well...do we need to explain?
- ESB : The ESB is a smooth and creamy traditional English ale with great malty characteristics and hop aroma; bitterness isn't the defining characteristic of this ale! Belonging to the Pale Ale group of beers, the Extra Special Bitter, or ESB, has a much more complex malt and hop character and a higher ABV than others in the group. We used traditional English pale ale malt combined with a substantial amount of both Fuggle and Goldings hops to make this beer well balanced and easy to drink. One of the favorites of the brewers.
- Saranac Belgian Pale Ale : Our Saranac Belgian Style Pale Ale is made with 2-row barley and traditional European malts. Brewed with a perfect balance of malt and hops, this is a "sessionable" Belgian style ale. Look for a light amber color and a distinctive fruitiness from the Belgian yeast used in fermentation. Consumed by Belgians as an "everyday" beer, this style will quickly become your winter go-to!
- Hype Train - Guava, Passion Fruit And Simcoe : Triple IPA with Simcoe hops and conditioned on passion fruit and guava.
- Dark As Keji : An India Pale Ale in all things but colour. Dark as Keji is at once hoppy, fresh and bright, and dark, dark, dark. A hop-forward IPA with a gorgeous roasty body, fruity middle notes, and then backed up by bracing bitterness in the finish.
- Embrace The Funk - Lange Sommer : An American Wild Ale inspired by Berliner Weiss. Our spin uses only Brettanomyces and Lactobacillus make up this ultra funky and fruity 3.5% tart ale.
- Flavor Of Love : American Wild Ale aged 14 months in French Oak California Chardonnay barrels and fermented with Passionfruit
- Mr Smith Gose To... : Mr Smith Gose To... is the fourth winner of the Great British Homebrew Challenge, brewed by Josh Smith. Juicy watermelon flavours combine perfectly with the lemony Gose. Brilliantly refreshing and fruity with a salty, sharp twang, this is a fantastic twist on this traditional German style.
- Thornbridge / The Wild Beer Co. Tart : Our Bakewell Sour pours a golden yellow colour. The beer is refreshingly tart and dry with a combination of citrusy hops and flavours of grapefruit and bitter lemon. 
- Native One : Native One is the introduction to a focused series of wild and mixed fermentation beers from Tree House. Primary fermented with yeasts of Belgian origin, Native One was then aged for 6 months in french oak with a blend of Brettanomyces, lactic acid bacteria, and our native micro-flora. Complex, vibrant and refreshingly tart, Native One is unfiltered and naturally carbonated. All of our Brettanomyces beers are lively and effervescent. We suggest you chill them overnight, open cold and enjoy them warm in the glass.
- Total Solar Eclipse : This version of a doppel bock is a beer brewed in anticipation of the coming Total Solar Eclipse in 2017. As big and dark as the event itself.
- #36 Double IPA : Fruity, spicy hops, honey malt, balanced.
- Dark Night Returns : This brooding porter is aged in the same barrels used for the Dark Knight. The second use of these barrels heightens the wood tannin and vanilla notes. Plus hints of mocha, dark fruit, caramel, roasted malt and chocolate. Beat Gnome with the night. Enjoy!
- Mystic Kriekbier : A Witbier with fruit added during fermentation.
- Manor Hill IPA With Passion Fruit : For this limited seasonal release we decided to take our Mosaic hop forward flagship IPA and add a great deal of passion fruit puree post fermentation. The resulting beer will provide you with a big juicy mouthfeel accompanied by tropical fruit and a firm hop bitterness in the finish.
- Lorenzini Double IPA : A special beer for a special cause. The name comes from the sharks "Ampullae of Lorenzini", the shark's electro sensory organ used to detect changes in electric fields. This American Double IPA was brewed with blood orange, local citrus, and Maui cane sugar. The unique hop profile of Azacca, El Dorado, and Sorachi Ace lend big grapefruit, ripe mango and tropical aromas, followed by a clean, mildly sweet bitterness. At 7.6% abv and approximately 80 IBUs this is a deceptively drinkable Double IPA.
- Cross Cut : Our own rendition of a traditional Canadian ale, darker and more complex than commercial lagers, but still quite palatable for easy drinking. Designed for Canadian drinkers!
- Gullywasher Brown : Gullywasher Brown begins with a hoppy snap that quickly transitions into a smooth toffee finish. This balance allows the beer drinker to experience several flavors with each sip and invites just one more to get a complete understanding of this brew’s complexity. Drinkable and distinct, Gullywasher is a true American Brown Ale from top to bottom that can be enjoyed glass after glass and still retain its mystery.
- Fat Yak Pale Ale : Fat Yak first impresses with its golden colour, distinctive, hop driven, fruity and herbaceous aromas, giving characteristic passionfruit and melon notes, followed by a hit of hop flavour at the finish. The taste is refreshingly clean on the palate.
- Oktoberfest : A beer-drinkers beer, our hearty Oktoberfest packs a punch. Available from early September through Christmas, we use a blend of Pilsner and Munich malts for darker color and a maltier taste. The alcohol content is higher than our other beers and the increased malt is balanced with a bit more bitterness.
- Three Tuns Ale : A dark ale with stout-like chocolate notes and soft fruit and vanilla character from our British yeast.
- Ten Years Alt : A Doppelsticke Altbier brewed for Victory Brewing's 10th Anniversary, released in Feb 2006 and debuting at BeerAdvocate's 3rd Annual Extreme Beer Fest in 2006. A dark ale with malty depth, but with the fragrance and bold, brassy tang of European hops. 8.5%. According to Victory, they believe that this could be the first Doppelsticke brewed in the US.
- Christian Patrick : Christian Patrick is a Imperial Stout with deep chocolate and big roast flavors that takes on hints of dark fruit as it warms. Medium body and clean finish makes this Imperial Stout highly drinkable.
- El Jefe : Our annual holiday dark I.P.A. is packed to the gills with Simcoe hops. The aggressive hop character is enhanced by the crisp, dry finish. Black, bold and bitter as hell!
- Blitzen Holiday Ale : Blitzen is a robust holiday ale specially brewed with Orange, Cinnamon, and Honey. Once each year we handcraft this tasty ale to celebrate the holiday season. It contains a masterful blend of dark malts, Willamette and Bullion hops and just the right amount of orange, cinnamon, and honey. Lightly filtered and bottled fresh this is the perfect beer for the holiday season.
- Bigelow : Peach, passionfruit, berry, star fruit and tropical notes come from the Apollo, Columbus, Chinook and Summit hops, but don’t be fooled by the fruity nature of this beer. It’s still got an old school IPA hoppiness with a chewy, mouth coating bitterness. Part of the Point Break series of IPAs.
- Umbra : An oatmeal stout with Maris Otter base malt, this is our 1st dark offering to enter regular production.
- Boon Oude Geuze A L'ancienne Vat 91 : The very subtle, elegant and tender taste of Oude Geuze VAT 91 comes from foeder No. 91, used in Normandy as a calvados barrel. Now this feeder creates excellent, sweet Lambiek, ideal for Old Geuze. VAT 91 is soft, round, full-bodied, complex and in balance. The unique oval shape of foeder 91 ensures optimal use of the feeding room.
- Master Master Shredder Shredder : Master Master Shredder Shredder is the double dry-hopped version of our beloved flagship IPA Master Shredder. This one came out insane! Probably our favorite Master Shredder variant yet. We know y'all are going to dig this one. Incredible aroma. Dank, fresh orange peel, grapefruit, slight onion(in a good way).
- Spark Shark : Legend has it the Florida Spark Shark rises from the depths of pure darkness once in its lifetime to effortlessly destroy everything in its path and disappear into the abyss to never be seen again. 
- Tropical Milkshake : New England-style Double IPA brewed with lactose, vanilla, Citra and El Dorado hops and nearly 2,000 lbs of dragon fruit, mangosteen and guava purée.
- Rogue River Brown : A well balanced, malt forward nutty brown ale! Munich, biscuit, chocolate and caramel malts are used to create a warm intricacy. The rich malt profile finishes slightly dry with a smooth earthiness from Willamette hops.
- Redwood Smoked Lager : "a smooth and malty dark amber lager made with 150 pounds of house-smoked barley malt utilizing redwood that was leftover from one of our tasting room tables and taster trays."
- Tessellation : Our 100% mosaic hopped double IPA stands bright, but with a strikingly soft and rounded mouthfeel. Heavy whirlpool and dry hop additions showcase the complex mosaic hop aromatics of blueberry, mango, and juicy, overripe peach.
- Quadrophenia : Based out in Ohio, Jackie O's Pub & Brewery are famed for their work with Dark Ales. Quadrophenia uses a varied malt base pitching it somewhere between a Strong Porter and a Belgian Quad. Belgian Candy Sugar and High Gravity Trappist Yeast form a delicious deep, rich dark and fruity ale.
- Hopperstad Series: El Dorado Single Hop : El Dorado hops give a beer crisp, tropical fruity aromas and flavors of watermelon, pear, pineapple, mango and stone fruit. It’s strong tropical fruit character makes this one of our favorite hops for this kind of clean, crisp, refreshing and interesting session IPA.
- Elvis Juice : An American IPA with a bitter edge that will push your citrus tolerance to the brink and back; Elvis Juice is loaded with tart pithy grapefruit peel. This IPA has a caramel malt base, supporting a full frontal citrus overload - grapefruit peel piled on top of intense us aroma hops. Waves of crashing pine, orange and grapefruit round out this citrus infused IPA.
- Caramel Almond Brown : We collaborated with the San Joaquin Worthogs Homebrew Club to create this unique brown ale that brings us back to our roots of experimental brews in the garage. Toasted, crushed almonds from Sierra Valley Almonds in Madera were added to the mash and brown sugar along with some Himalyan pink salt was added to the extra-long boil. Flavors and aromas of the toasted nuts blend with the caramel malts and slight notes of chocolate in our first dark beer of the season.
- Abita Select Naughty Quaker : This is an oatmeal stout that is brewed with pale, caramel, chocolate, and roasted malts. Oats are also added to give the beer a fuller and sweeter taste. The roasted malts give the beer its dark color as well as its intense flavor and aroma. The flavors of toffee and chocolate are prevalent but not overpowering. Since the beer gets so much flavor from the malts there is not a lot of hop flavor. There is just enough hop bitterness to complement the sweetness of the malt.
- Mill Street Minimus Dubbel : This is a classical dark brown Belgian abbey-style beer made with a variety of malts and traditional Belgian candy sugar. It has a soured mash in order to give it a slight acidity to offset the sweetness of the malt and the sugar and has aged hops used in it which is traditional for this style of beer (it uses German organic Tettnangers from 2006 crop). The Minimus also has French oak infusion spirals in it to give it an Oaky softness that is also typical of these beers. It is served unfiltered. The name is from the latin expression "minima maxima sunt".
- Barleywine : Legend Barleywine is generously hopped to balance the huge malty sweetness. Hops account for the bitter and spicy flavors in a beer. We also “Dry Hopped” this one, giving it a nice spiced-floral aroma. Look for a very rich, ruby colored, robust strong beer with an attitude. Tastes reminiscent of caramel, chocolate, dried fruit (prunes, raisins) are evident at first, followed by hints of licorice and pine flavors. Expect a lingering finish with plenty of warming alcohol.
- Summer Jam - Passion Fruit : Mixed Culture Red Wine Barrel Aged American Golden Sour Ale refermented on a massive amount of Passion Fruit
- Digger : This Dunkelweizen is a darker version of a Hefeweizen. Made with wheat and other complex malts this brown, unfiltered beer can have pronounced vanilla, banana, apple and clove flavors. If you give it a try we're certain you'll dig it!
- Zap : Big and juicy with floral notes of rose, tropical fruit, orange blossom. Brewed with Citra, Azacca, and Simcoe. Guest can art from Margaux Ogden!
- Foreign Extra Stout : Inspired by our brewer's time as a young man living beside a famous stout brewery in Dublin, our foreign extra hearkens back to the strong stouts brewed to withstand the long sea voyages from Ireland to the far corners of the British Empire. This black elixir features our FUGGLE and ULTRA hops, pale malt and malted wheat from Pioneer Maltings in Rochester, flaked barley, roasted barley, chocolate malt, and caramel malt. Smooth and rich with a hint of dark chocolate and smoke.
- Green Machine : Green Machine! Green Machine! Green Machine! This hop fueled juggernaut smashes your senses with its not-so-delicate bouquet of floral notes, tropical fruits, and pine. Drink up IPA lovers, drink up.
- Oak-Aged Vanilla World Wide Stout : Rare and often rumored about in the darkest corners of the beer community, World Wide Stout is dark, rich, roasty and complex, and lingers somewhere beyond the limits of the average beer.
- Hawaiian Thanksgiving : Brewed with Hawaiian black sea salt, passion fruit and cranberry.
- Narcissus : Narcissus is crafted to be a complex hop-forward beer with a dry yet fruity body and a clean, quick finish. 
- Erie Gold : An American style wheat ale featuring the tangy and refreshing fruit character of Citra hops.
- Midnight at the Dog Farm : Midnight at the Dog Farm is a Mixed culture Black Saison aged in oak barrels for 16 months. Pitch black in color with a mocha head, this beer has aromas of dark cherry, chocolate, roast, mixed with a little wood and funk. Midnight at the Dog Farm is medium-bodied and leads with flavors of tart dark cherry and chocolate, finishing fairly dry with subtle roast and wood notes.
- Milkshake IPA - Passion Fruit : Brewed with oats, lactose sugar, and wheat flour. Conditioned atop Madagascar vanilla beans and a stupid amount of luscious passion fruit purée. Hopped intensely with Mosaic and Citra. Dreamt up with our main daimies at @omnipolloshatt.
- Sour Sauvin : A boldly tart and fruity blonde Belgian ale with Nelson Sauvin hops both in the kettle and dry hopped in the fermenter.
- Hop Ranch : Fully juicy in its citrus character with the pleasantly sharp, biting edges of tart fruit and bitterness, Hop Ranch Imperial India Pale Ale traces its roots to Victory’s Ranch series, a unique and comprehensive study of hops in which Brewmasters experimented with different hop varieties to showcase a range of flavor profiles and celebrate the nuances and distinctions in the resulting series’ recipes.
- Bock Beer : Going back 150 years or more, bock beers held a special place in the hearts of beer drinkers all over the East Coast and Midwest. It was introduced into the Midwest by the great German Beer Barons of Milwaukee, St. Louis and St. Paul. It was always released during lent, and was usually the darkest, richest beer each brewery produced. With all the bock beers coming out each year, one stood far above the rest; Yoerg's Bock. It was always the most celebrated, and always the first to sell out. Yoerg's Bock is now produced year round, with the dark, roasted malts front and center. Cocoa and chocolate come into play on the palate with a sneaky hint of Bavarian hops to balance things out. This was why your grandfather loved Yoerg's beers so much.
- Teton Range IPA : For Teton Range IPA, Idaho grown and malted barley make up 90% of the grain bill. We use a variety of Idaho hops including one of our new favorites, Idaho 7. The combination of these unique hops makes Teton Range IPA an amazingly aromatic and flavorful beer. We focus on late hop additions in the kettle to boost the aroma and keep the bitterness low. Pungent aromas of tropical fruits like mango and papaya, hints of pine, hard candy and citrus rind are prominent. The flavor is juicy, like fresh squeezed tropical fruit with some pine in the background. The beer has a deep gold color and strong head retention. The crisp, balanced flavors of Teton Range IPA create a delicious, drinkable beer.
- Prismatic : Juicy hops burst with notes of pineapple, passionfruit and guava in this irresistibly flavorful IPA. Dry-hopped with Mosaic and Simcoe CRYO HOPS®, Prismatic offers a deliciously colorful hop experience.
- Beer Camp Across America - Family Values : Collaboration with August Schell Brewing Company, Dark Horse Brewing Co., Half Acre Beer Company, Perennial Artisan Ales, Sun King Brewing Company.
- Marisol : A Belgian golden ale, brewed with wheat, spiced with tangerine zest, green coriander, and ugli fruit. Hazy golden color, spicy citrus aroma, creamy fruit flavor, medium body.
- Less Is More : Big is not always better. You’ll find substantial hop flavor, a complex yeast presence and a hint of orange all in this small package. Low bitterness leads to a clean finish, proving that less is more.
- It's A BelGene Thing : Sometimes it’s hard to classify a beer into a simple description; like this beer. Starting with a classic light amber malt base, with the addition of wheat malt for a nice body and frothy head, we hopped it up to a nice balance with Nugget and Cascade hops, not too much, not too little, just enough... Now for the fermentation, we pitched a house blend of a Belgian wit yeast and a classic Belgian Trappist yeast. What is that fruity and very spicy flava-flav? It’s a BelGene Thing...
- Bulldog Brown : Darker, medium bodied ale. Nut flavour with a hint of chocolate malt. Surprisingly light.
- Neshaminator : This is our take on a German wheat bock, but with a small twist. We brew this 8.5% ABV holiday offering with orange blossom honey, malted wheat and dark Munich malt, a hint of Chocolate malt, and German Hallertau and Tettnanger hops. While most German bock beers named with the ‘-or’ ending are traditional double bock lagers, we decided to break from tradition a bit with not only the name of this beer, but the use of orange blossom honey as well. Prost!
- History Of Cats : "A History of Cats" is a sumptuous IPA brewed with Eureka, Mosaic, and a bit of Centennial hops to round it out. A bit of pine and melon gives this beer lots of earthy, deep, da$k palate play, and a grapefruit edge that lingers onto the next sip. Cuddle up to this one and make a new best friend.
- Item Box : Bursting with complex fruit juice character, every sip of Item Box is ripe with the excitement of what flavor you will experience next-- tangerine, apricot, pineapple, mango, guava, grapefruit? Brewed with over 8 lbs/bbl of 8 different hop varietals, this New England-style double IPA is a delicious mystery, leaving you begging to know what’s in the box!?!?
- Governor Golden Ale : Made with Australian ale and wheat malt, this beer pours with a light golden colour and fluffy white head. Unfiltered, the appearance is slightly hazy and has whiffs of stone fruit and light malt on the nose. Brewed with a new Australian hop variety called Topaz, the beer is light and appealing, made for when you want to have a couple of light easy beers to drink on a Friday night.
- Animator : Among the earliest Doppelbocks, Animator draws you in with its deep mahogany hue and creamy foam crown. Your experience culminates on the palate with notes of chocolate, roast, brown sugar, licorice, apricot, and exotic fruit.
- Winter Haze : When the weather starts to require a coat and hat, Winter Haze makes the perfect third accessory. Our winter seasonal beer is a true Barleywine-Style Ale full of the warmth and hop character the season demands, a tasty brew with complex flavors and a welcome balance. Enjoy with food or with a friend in front of the fireplace. Make that frostbite just a hazy memory.
- Pillow : Pillow is our wheat pale ale dry-hopped with the supreme, Amarillo hops. Fresh wheat gives Pillow a fluffy, white head that makes it the perfect heat-beating, summer crusher. Notes of honeydew, summer flowers, fresh dough and stone fruit.
- I'm Peach : Who wants to kick fruit out of beer? Not us. When done right, adding orange or grapefruit or tangerine can contribute a deeper level of delicious complexity to the beer. In this case, peach was the perfect complement to enhance the substantial bill of hops in this double IPA. May its reign last more than a few terms.
- Ruta Maya Dark : Dark Belgian style ale brewed with "Mexican coffee" from Ruta Maya Coffee (Austin, TX).
- El Kabong : This medium-bodied, clear copper ale is crisp and lively, with a unique mix of deep, dark fruit sweetness and spicy accents of Chile de árbol and ancho chile that is surprisingly refreshing. Of all the beers in legend and song, there’s none as original as El KaBong.
- Zoller-Hof Brenzkofer Dunkel : A very smooth tasting dark beer with lightly roasted malt flavors - a robust taste experience.
- Freudian Slip : A beer dark in colour with a smooth yet smokey nose, carrying a slightly nutty body with elements of a dubble, followed by a lasting sweetness.
- Obstruction of Justice IPA : A dry hopped IPA with almost no bitterness and a ton of citrus juiciness, all in a clear light bodied beer. Grapefruit, orange, lemon, and pineapple notes predominant.
- Blue Label Ale : A dark brown, top-fermented ale yeast, hopped and mixed with a special type of mild malt gives this richly coloured ale a unique, surprisingly smooth and mild taste. Contains distinctive chocolate and caramel notes. The draught version is a smooth and creamy version and is also available in cans, possible through an inbuilt widget technology that releases just the right amount of nitrogen to create the perfect surge and distinct smooth and creamy finish, which has previously only been available on draught in selected outlets across the island. 
- Breakside IPA : Breakside’s most popular offering is this beautifully clear India Pale Ale featuring the unique character of Citra and Chinook hops. This light copper beer has huge citrus and tropical fruit aromas with hints of perfume and pine. Flavors like apricot, guava, and orange hit the tongue accompanied by a mild evergreen note. There’s just enough caramel sweetness to balance the hop flavors, but this is really a showcase for the beautiful varieties of hops grown here in the Northwest. Like all Breakside beers, this has a notably dry finish and, in true IPA form, a restrained but persistent bitterness. It’s one of the most drinkable IPAs around!
- Chocolate Silly Cybies : Belgian style dark sour ale aged in oak barrels with raspberries and cocoa nibs.
- Elbrus : Pours black in color; aromas of walnut, dark fruit, and dark chocolate; big flavors of molasses, raisin, and brownie batter; dry, oaky finish with notes of vanilla and fudge.
- Mr. Motueka : A sour ale hopped with Motueka, then blended and conditioned on lemons, limes, oranges, and grapefruits. Brewed in collaboration with Highway Manor Brewing.
- 100 Barrel Series #23 - Old Rusty's Red Rye Ale : For the 23rd installment of the 100 Barrel Series, we invited Russ back to brew a Harpoon beer once again. Don’t worry, not in a bathtub this time. Old Rusty’s Red Rye Ale features a reddish hue and a biscuit flavor complemented with spicy rye notes. This well-balanced and drinkable ale has an aroma profile that is a combination of subtle fruit esters and clean, fresh German Hallertauer hops.
- Vanilla Oatis : A delicious oatmeal stout with just enough hops to balance the copious quantities of dark roasted malts, oatmeal for a creamy smooth drinkability, and whole vanilla beans for a rich complexity. To achieve this higher level of decadence, we added in whole vanilla beans to the final stage of fermentation - the same process we use to dry hop a beer.
- Black Chai : Black Chai is a sumptuous black ale that immediately entices the senses with aromas of dark specialty malts, cardamon, nutmeg, and ginger. The brew has a delicious creamy mouthfeel. Chocolate and roasted malt characteristics resonate throughout this black ale. The finish is playfully spicy and bitter.
- Devil's Teeth - Schmernheim Durum'd Barrel-Aged : Devil’s Teeth is a hybrid of an Old Ale and an Imperial Stout, two English beer styles designed to withstand long voyages and dark winters. It brings rich maltiness & robust roastiness in a thick, tongue-coating, aggressively flavorful package. We sent this batch on a one-year flavor sabbatical in oak barrels which previously housed a legendary 7-year wheated whiskey. The beer re-emerged triumphantly, its earthy, chocolaty profile beautifully complemented by the barrel character.
- Apple Pie Pale Ale : This perfect fall seasonal ale will remind you of home cooked apple pie that your Grandma used to make. Cheers to your Grandma! Flavor: Apple Pie; Aroma: Fruit and Spice; Balance: Malty and Fruit Sweetness; Body: Medium
- BOMP! : Berliner brewed with Blood Orange, Mango, and Passion Fruit
- Beaver Tail Brown Ale : Beaver Tail Brown Ale is a dark mahogany American-style brown ale with strong hop flavor. Single-hopped with Falconer's Flight hops to balance the malt flavor with a citrus aroma and crisp finish.
- Clairvoyant : Our newest beer is a rustic tripel called Clairvoyant. Fermented with a blend of yeasts, brewed with NY malted spelt, rye and flaked barley. Hopped with Equinox. Fluffy, with stone fruit and pithy citrus. Perfect for the weather.
- Old Smokey (Black Silk Smoked Porter) : Dark and rich robust porter brewed with beechwood smoked barley malt.
- Myrcenary Double IPA : Named for Myrcene, a component of essential oils in the hop flower, Myrcenary Double IPA is our tribute to those who revere the illustrious hop, and their unyielding exploit to craft hop forward beers. Brewed with a blend of hops containing the highest levels of Myrcene, this double IPA prevails with a tropical fruit-like flavor, a pungent floral aroma, and a clean getaway.
- Dubbel Shot - Bourbon Barrel Aged : BBA Oatmeal Coffee Dubbel, 7.5%, BBA version of our seasonal Dubbel Shot. Brewed with oatmeal and infused with cold pressed Thrive Farmer's La Fuerza dark roast coffee, this extremely rare limited release was aged over a year in an 8 year old Bourbon barrel.
- Clarice Grand Cru : This special “Grand Cru” edition of Clarice Belgian-style Dark Ale has been aged in a French Cognac oak foudre, culminating into a beautiful beer that warmly welcomes you with a deep amber color & cherry-like aroma. It then befriends you with its rich, fruity, velvety-sweet maltiness, full body & pleasant spiciness, bidding you farewell with flavors imparted by Cognac foudre-aging.
- Peak Organic Nitro Stout : Our Nitro Stout is brimming with rich malt flavor and a soft, airy mouthfeel. This beer cascades upwards and spins into creamy, dark swirls. A blend of local pale malt, local wheat malt, black malt, crystal malt, munich malt and chocolate malt provides the foundation for this dark and creamy beer.
- Real Ale Special : Red unfiltered and unpasteurised ale made from caramelised malt and yeast with fruity essence-aroma... Produced with the Real Ale philosophy...
- Fruitcake Holiday Lager : Move over eggnog. We have created an easy drinking lager with hints of cranberry, vanilla, cinnamon, and all-spice. Enjoy this holiday beverage exclusively here at our pub. Unlike the real fruitcake, it won't be around forever. 
- Good Green : All the green hops we love and adore. Amarillo, Citra, and Simcoe explode out of the glass on this super drinkable and overtly hoppy IPA. We kept the ABV nice and low to make Good Green even more drinkable. Tangerine, grapefruit, and raspberry dominate the flavor and aroma. Enjoy!
- Araby : A stout aggressively hopped with Comet and Falconer’s Flight. Notes of tart berry, dark chocolate, and grilled pineapple.
- Kölsch : A clean, crisp, delicate beer with soft malt and hop character. It has a light grainy Pilsner malt aroma and flavor. Fruitiness of the beer is very subtle. Enjoy one of JoBoy's favorite beers.
- Pinot Cherry Four (Sole Composition Series) : This bottling of Four was brewed in June and aged in two pinot noir casks, each filled with over one hundred pounds of cherries. The fruit is a variety named brooks from Baird Family Orchards that has a beautifully deep flavor and color. We decided to try an experiment and leave the stems on, and the resulting beer developed quickly with a huge tannic profile and character reminiscent of some red wines. It was not inoculated with additional yeasts or bacteria, so the cherries dominate the profile and provide a natural acidity. The beer is tasting bright now, but the tannins should maintain the structure and preserve it well for a long time.
- Skully Barrel No. 28: Cascara Sour : Cascara (coffee cherries) sour red ale aged in red wine barrels. Tart fruity taste with notes of rose hips, hibiscus, cherry, white chocolate, and tobacco with a slight but complex minerality from the addition of sea salt.
- Abbey 10 : This gorgeous dark maroon-colored ale is the boldest in the Abbey Series, and our twist on the Belgian Quadrupel style. 

- Dad Bod : Dad Bod isn’t just a beer, it’s a state of mind. Dad Bod means working out just enough to not have to buy new pants, and spending the rest of your time working out your drinking muscles. Our dark saison has a mild nose with hints of espresso and citrus. A peppery flavor gives this down-to-earth beer the edge needed to attract a mate, and nothing more.
- Scratch Beer 142 - 2014 (IPA) : In our recent quest to attain what we feel is the perfect session beer, our team of brewers has been working tirelessly on calculating just the right equation to yield a flawless balance of hop aroma, flavor, bitterness, and malt sweetness. Each new session IPA in our Scratch Beer Series brings us one step closer to reaching “session beer Zen.” Scratch #142 blends a combination of American hops to create an elaborate palate of citrus fruit, pine, dried herbs, and earthy notes. To enhance the aroma, we further dry-hopped with Japanese Sorachi Ace and German Hallertau Blanc to impart a fresh, invigorating fragrance with hints of passionfruit, grape, pineapple, lemongrass, and fresh cut flowers. Thirsty yet?
- Nickel Brook Cuvée (2013) - Bourbon Barrel Aged : Nickel Brook Cuvée is a rich auburn reserve ale, brewed with premium European and North American malts, Caribbean Demerara and a special mix of fruits, herbs and spices. This beer is then blended with ale aged in bourbon barrels that results in a complex and unique final product. Enjoy it today, or lay it down in your cellar and savor the changes in character as it matures. Cheers!
- Cream Ale : American Lager's cousin, the Cream Ale is the perfect "Gateway" into craft beer. Light, clean, and crisp, the Cream Ale is approachable to Craft Beer rookies, but also complex enough to satisfy the thirst of a regular.
- Hop, Drop 'n Roll : Our West Coast IPA hits you with a ton of juicy hop flavor that shines out from a substantial and complex malt backbone. We use Citra, Amarillo, Centennial, Warrior, and Chinook in 10 separate additions to provide the intense hop blast found within this can!
- AWAS Blend #2 : This blend was created using a heavily fruited wild ale with local blueberries. A portion of the straight blueberry wild ale was then placed in Biltmore House red wine barrels. Hibiscus and vanilla were then added.
- Tropical Super Itchy : Berliner Weisse Style Ale with Passionfruit added
- Curiosity Twenty Five : The 25th installment of our Curiosity Series is an American IPA featuring El Dorado hops from the American Northwest and Kohatu hops from New Zealand! Curiosity 25 is built upon a simple malt base of 2-row, carafoam, and light crystal allowing the nuanced character of these hops to shine. The aroma is beautifully juicy, leading our palates to flavors of pineapple, stone fruit, melon, and a hint of lime. The finish is graced with an herbaceous bitterness that quickly dissipates in a velvety soft mouthfeel. A unique and engaging iteration of our Curiosity Series, indeed!
- Twisted Ankle : A strong dark ale. Malty with hints of chocolate and dangerously easy to drink.
- Fling : A daring trans-Atlantic infusion of UK Challenger and US Mt Hood hops combines near reckless flavour abandon of candy and wood with floral and spicy undertones. Enticing aromas of grapefruit and orange sherbet will leave you asking for more.
- Wheelhouse Radler : Wheelhouse Radler is infused with exotic citrus fruit resulting in a crisp and refreshing brew suitable for any occasion.
- Locked, Stocked, & Two Smokin' Barrels IPA : This copper-colored IPA is two Smokin’ Barrels loaded with a bit of grapefruit flavor and a resinous piney aroma provided from darker crystal malts and three additions of Chinook hops.
- Wildebeest : Sour fruit ale brewed with black and red currants, lingonberries and mango.
- People's Imperial Stout : Full body, dark ale. Intense flavors and aromas of bitter sweet cocoa, coffee, and roasted grains. Notes of caramel and dried fruit.
- Jester Rebellion : Rebellion was created as a single hop pale ale to showcase the characteristics of new hop varietals and old favorites. Always brewed with the same American and English malts and to the same level of bitterness, the soft malt character allows the unique flavor and aroma of the Jester™ hops to shine.A new aroma variety from the UK, the Jester hop features notes of ripe tropical fruit and grapefruit peel with an underlying dankness.
- FatDad Wheat : A sweet, spicy and funny brew based on a term of endearment invented by Sixpoint's Jamie Leithead and her partner in crime, Katie McDavitt. They may have to explain it in person for it to make sense. Oranges and raspberries provide the fruity sweetness, a light touch of jalapenos give the spicy kick. 5% ABV
- Mayhem Weizenbock : Dry-hopped with Citra hops and infused with grapefruit zest.
- The Commodore (Cinnamon & Raisin) : Our Cinnamon Raisin Commodore is truly a story of experimentation. Originally a gold-medal winning American stout first born in our R&D program, our brewers developed a new variation, adding cinnamon and raisins to this dark, bittersweet brew. The result is just the right amount of sweet and spice, with roasty maltiness at the helm. 
- Confession : Confession is a true collaborative effort between the wine and beer world. A variation of our sour blonde ale, brewed in part by Fess Parker Winery, was blended and fermented with juice pressed from Parker's Riesling grapes, harvested in part by The Bruery team. The result is remarkable. Not quite beer, not quite wine. Fragrant fruit flavors warm the nose, infiltrated by a slight funk from the wild yeast. The first sip is reminiscent of a dry, white wine, but everything changes upon further examination as the flavors marinate and reveal themselves with each gulp.
- Steez : Dank Tropical Fruit on a light malt backdrop. Mosaic and Citra. Pale Malt, wheat and oats, bright and delicious. 
- Mosaic IPA : When we got our hands on a contract for Mosaic hops we knew exactly what to do with them - make an insane IPA. We used Summit hops for bittering, then overdosed the beer with flavor, whirlpool, and dry hop additions of the freshest Mosaic hops that Yakima had to offer. The result is an intense IPA that will leave your taste buds wondering which way is up. Pungent earthy overtones with undertones of white grape fruit and spice.
- Puff The Passion Dragon : There’s more than a bit of magic in our latest distribution beer. Puff the Passion Dragon was fermented with our own blend of 100 percent Brettanomyces, creating a funky and lightly tart base to which we added more than 60 pounds of tropical hops to add a soft bitterness and tropical flavor the complement the wild yeast. To wrap things up, we conditioned Puff on 336 pounds of passion fruit and 250 pounds of dragon fruit to add a final touch of tartness and a whole lot of tropical fruit flavor. This ambitiously funked up fruited sour pours a vivid pink and has notes of earthy funk, tropical fruit, and a hint of citrusy hoppiness.
- Scorpion Bowl IPA : To create a recipe so tropical and fruity without the addition of fruit was no feat our team of brewers would leave up to the gods. They took floral and citrus notes from Mosaic, Loral and Mandarina Bavaria hops to dish up a mouthwatering fruit punch to the palate. Get deserted on your own island or share with others. One thing is for sure: there is no need to light this one. It is already on fire.
- Rockhill & Locust : Our English Mild Ale. Not a common beer to find in the United States, but well known and available at many pubs in the U.K. This session ale features delicate English malts that showcase caramel, nutty, dark fruit, and chocolate notes. We initially brewed this beer to share with our friends and neighbors. As a result, we named this beer after the intersecting streets where this beer was often enjoyed with friends and neighbors.
- Super Nebula : Imperial stout matured in 9 & 10 year old bourbon barrels. Additionally aged on house roasted Papua New Guinea & Ghana fair trade cocoa nibs. Deep black brew, with a brown creamy head. Excellent wood, chocolate, caramel, light smoke and bourbon in the nose. Complex flavors, with notes of molasses, vanilla, bourbon, coffee, roast fig and wood. Huge depth with a warming balanced finish.
- Tyrant Double Red : The big brother of our Tyranny Red Ale, this heavily dry-hopped ale is a delicious creation. Tyrant is full of malt rich flavors backed up with deep pine, herb and grapefruit peel aromas, all around a hop heads dream. This is a big, bad beer that drinks a little too easy for the 8.5% abv.
- Sparkle Muffin : This fruit-forward single IPA features deep flavors of citrus from the hops yet is easy drinking. Don't wait until later, enjoy right meow!
- Big Bird : Making its return migration to New England, Big Bird remains one of our hoppiest beers ever. Drawing inspiration from our “small birds” by utilizing speciality grains and unique hop varieties, Big Bird has an amped profile worthy of a larger fowl. Pouring a noticeably cloudy yellow, this intensely aromatic Double IPA conjures up a tropical fruit cocktail nose of fresh pressed orange and ripe pineapple with a garnish of lemon and light spruce tip spice. Strong citrus flavors of key lime pie, mandarin orange, and tangy grapefruit pith lead into a creamy profile of kiwi flesh, cantaloupe, and honeydew melon with papaya. Medium bodied, Big Bird’s tropical sweetness on the front of the palate is balanced out on the finish by a soft herbal bitterness. Don’t sleep on this bird, it’s one for the books!
- Peach Sour : Mild kettle sour with peach added in fermentation for a touch of subtle fruit.
- Kuhnhenn Red Raspberry Panty Dropper : Fruity and sweet aromas begin this light fruit wit beer. It is tangy tart, medium bodied and has effervescent qualities. It has a crisp sweet bite and is an extremely balanced.
- 10th Street Cherry Wheat : While about one third of the grain bill for this beer is wheat malt, the most important recipe detail is the addition of 300 lbs. of tart pie cherries shipped in from Oregon. Tart cherries are used so that the flavor of the fruit isn't simply fermented away from the beer. If sweet cherries were used, the majority of the cherry flavor would be fermented away as the sugars are converted into alcohol.
- Slow Down Brown : A malt dominated beer with roasted malt, chocolate, nutty and or toasty flavors. Medium to high bitterness with noticeable hop aroma and flavor. Brown to dark brown color.
- Imperial Stout : Malt: Pilsner, dark caramel, chocolate and black malt.
- Black Knight : Our intensely-hopped Black IPA with a bold black color and creamy body that finishes unexpectedly smooth. Brewed with dark intense malts and hopped generously with 7 different hop varieties.
- Dark Harvest : Bridge Road Brewers together with gypsy brewer Mikkel Borg Bjergso of Mikkeller, created a one-off brew one Friday evening in March 2012. The result is "The Dark Harvest". Inspired by the timing of this collaboration, it was decided to make a dark beer, using locally grown fresh hops. Of several research hops being grown at Rostrevor Hop Garden one variety stood out for selection and was harvested just hours before being added to this beer.
- From Astoria With Love : Before Matryoshka, there was a darkness – a stout that we hold dear to our hearts – from Fort George to you, from Astoria with Love.
- Two Wheelin' : This is a very special beer, brewed specifically for the Woodford Reserve Double Oaked Barrels we somehow got our hands on. This beer required two mashes, which more than doubled the amount of grain we have ever used for a single beer to date. Double mash, double oaked, double wheeled. These specialty barrels help contribute the vanilla, dark caramel, and hazelnut flavors found within this beer.
- Raven Ale : Smooth with a dark, malty character, and a hint of smoked peat. A thirst quencher and a favourite of many, Raven is a classic Scottish style of ale. It’s the Caw of the Wild!
- Luminoso : Luminoso, our 5.6% sour blonde, was aged in a variety of barrels collectively for two years and was then blended with a lighter, refreshing kettle sour. The range of barrels and the addition of brettanomyces yeast contribute wild characteristics, while a bright tartness keeps you coming back, sip after sip. Notes of sour lemon and wild brettanomyces complexity.
- Nein Finger : Made with yummy chocolate nibs and bio vanilla processed and hand selected by Felchlin, Switzerland. Roasted dark chocolate flavor with a slight hint of vanilla makes this a winner. Come and find out why it's name is Nein Finger.
- Grendel : The Grendel is a dark, unruly blend of several black beers that have been in whiskey and pinot noir barrels for one year. Baking chocolate, red and black fruit and dark caramel on the nose with a lingering finish of maduro tobacco smoke and warm alcohol. Just when you think you're safe in your mead-hall, this lumbering giant comes thundering onto your palate.
- Maple Porter : This robust imperial porter was fermented on maple sugar and matured in second-use bourbon barrels that were themselves previously filled with maple syrup. The resulting beer offers a delightful maple character balanced by nuanced notes of dark chocolate, roasty malt, and barrel tannins.
- Sikaru (Funk Factory Geuzeria Collaboration) : American sour with dates. Sikaru was a beer brewed thousands of years ago by the Sumerians. I learned of how this beer was made, it struck me how similar it was to the Belgian lambic process. I read that Sikaru was commonly fruited with dates and decided to add dates to a couple of our young lambic-style sour barrels. 100 lbs of dates went into each barrel and with all that additional sugar it took an additional 6 months to finish and resulted in a high ABV beer. Treat this like a big barleywine. Lay one down to mellow for a few years and enjoy with friends!
- Broken Hipster : A traditional Belgian Wit, made with botanicals and spices to produce a light and refreshing yet complex wheat beer. Originally made for the warmer months, we make it all the time because we can.
- Peppercorn Saison : Enhancing the traditional saison aromas of peppercorns and bright fruit, adding crushed white peppercorns brings earthy and funky flavors while pink peppercorns are bright and vibrant. Secondary fermentation with Brettanomyces Claussenii enhances these pepper notes before a dry, quenching finish.
- Mauvais : Meaning Bad Weather in French, Big Storm’s Mauvais was inspired by the ale farm workers drank throughout the French speaking region of Belgium. The low malt aroma balances the fruity-ester aromas and the medium hop bitterness. The complexity of this dry, pale beer contributes to the signature character of a Belgian Saison. 
- Emancipator Coffee Doppel Bock : Originally brewed to help monks get through their holy fasts this medal-winning Christian Moerlein Doppelbock is brewed with locally made coffee to help keep celebrants jubilant during Bockfest. Made in collaboration with the legendary Arnold’s Bar and Grill, this beer will be released in a individually numbered 300 bottle batch with first 100 bottles hand signed by Head Brew Master Eric Baumann. Enjoy it now or proudly cellar it to explore a wealth of complex flavors.
- Squad Goals : Squad Goals pushing stone fruit aromatics of apricot, peach and fresh berries. Glowing orange in color, this IPA has a smooth mouthfeel and finishes soft and fruity.
- Powder 8 Porter : Porter was first brewed in London, England in the early 1700’s. At the time two basic beers existed: a light and a dark. The dark was more expensive and drinkers got into the habit of mixing the two to stretch out the premium brew. A wise brewer began making a medium dark beer to save the barkeeps from having to mix at the taps. The beer was named after its biggest fans: the porters handling baggage at the local train stations. This brown porter is deep ruby in color and transluscent.
- Pom Pom : Cold weather and chilly New England wind are best paired with a darky, roasty beer. For our latest addition to our dark beer lineup we wanted to try our hand at a lactose addition.
- Space Reaper 2.0 (Belgian) : "We were so pleased with how well the Space Reaper release was received back in June we decided to brew it again, but this time with a twist. We swapped out our Chico ale yeast strain for our house Belgian Abbey yeast strain to create a fun twist on one of our favorite Double IPA's. The addition of a Belgian yeast fermented a higher temperature helps to squeeze out all of those fruity esters. This helps create the big, bold tropical flavors of mango, papaya, guava and bubble gum that Space Reaper is known for. This limited release is available for purchase in cans at the brewery."
- Frylock The Rye Bock : Copper in color, this big, medium bodied lager is full of earthy, spicy malt flavors. Hints of dark fruit and cocoa show up in the finish along with a balanced bitterness. Made with 100% German ingredients including chocolate and caramel rye malts and Opal hops.
- Dreamless : Dreamless is a 4% unspiced traditional Witbier(white ale). Fruity esters in the aroma, hints of bright orange peel. This is a perfect summer crusher.
- Bourbon Carrot Cake : Bourbon Carrot Cake is an experimental dessert ale made with carrots, marshmallow, vanilla, maple syrup, orange zest, walnuts, pecans and spices and then aged in bourbon barrels. The aroma is enticing, emitting fragrances that literally recreate a slice of carrot cake that has been soaked in bourbon, right down to the cream cheese frosting. Incredibly complex, yet surprisingly balanced, the flavor of each specialty ingredient seems to take its turn. Pleasant flavors of spice and cream resonate on the pallet causing an uncontrollable craving to taste more.
- Neon Snowsuit : Neon Snowsuit is a deceptively light bodied lager despite its deep black color and soft brown lace. The creamy mouthfeel is enhanced by notable dark chocolate and espresso flavors from heavily roasted malts. A brief cocoa bitterness is finished crisp and clean
- Caramel Moo-cchiato : Dark & delicious roasted malt and sweet lactose sugar are infused with Door County Coffee's "Heavenly Caramel" to make this full-bodied milk stout.
- Tomos Watkin's Cwrw Gaeaf : Brewed using only traditionally floor-malted barley and wheat, along with a blend of crystal and dark chocolate malts to give a warming, rich, full-bodied beer. A choice blend of fuggle and golding hops provides a mellow fruity flavour with a subtle, bitter edge.
- Embrace The Funk - E.H. Doble : Gose aged in Rum Barrels with Grapefruit and Brettanomyces.
- Rebecca's Revenge : Rebecca's Revenge is a German schwartbier. A very drinkable lager with notes of dark malt to lend a roastiness that is not overpowering. Try it with an open mind, and step into the dark.
- City To Shore : From the boil to the dry hop, the hops blend in City to Shore hits all the right notes and tickles your taste buds. The sexy hops in this Double IPA bring a wave of citrus, grapefruit, and other exotic fruits to your face. Not as dry as our usual hop-bombs, we leave a touch more of the body behind to bring out the juicier hop profile.
- Bongo Fury : Dark-roasted malt flavors with an intense hop kick.
- Van Horn : Van Horn is an English Bitter that is already flowing among our draft-only arsenal. Copper in color, oaty and nutty in the aroma, while balancing caramel, biscuit sweetness that softens out in the pleasant bitter finish.
- Crazy Eyez Kiwi : IPA with Kiwifruit, Blood Orange, and Simcoe hops. 7.0% ABV, 40 IBUs, 10 ICUs.
- SMaSH 1 : Featuring Vienna malt and Mosaic hops which give this beer hints of apricot and tropical fruit.
- Taste Lab Head Of The Pack : Our first take at a fruit beer, this highly limited beer (360 litres!) was aged with a heavy percentage of raspberries on our Zure van Tildonk. A successful test which we will do again!
- The German Hobo : Collaboration with Dark Horse Brewing.
- Scratch Beer 91 - 2013 (Dunkel Lager) : Another first in the Scratch series, this Dunkel Lager is based on a recipe by Tröegs brewer Jeff Campbell. A traditional Bavarian dark lager, the Dunkel is typically regarded as “the world’s first true beer style.” Keeping our roots in traditional German brewing in mind while simultaneously exploring a beer style that we had yet to visit, we brewed Scratch #91 with Chocolate and Munich malts and German noble hops. The result is a smooth, rich and complex lager without the heaviness of many other dark beer styles. Combining a slightly dry chocolate note and bready sweetness with the roundness and crisp character of a lager, Scratch #91 is a refreshing, slightly gentler take on the Dunkel Lager style.
- Yuletide : Celebrate the holiday season with our specialty anniversary release! Aromas of old timey hard candy and bubblegum lead the way to rich and nutty fruit bread flavors. Fruity and spicy, richly malty and toasty, with a clean and warming finish, this smooth complex beer has immense flavors!
- Lake Ontario Wine Barrel Aged Ale : Our barrel aged blonde ale was aged with Niagara grapes in American oak barrels that previously held red wine produced in the Lake Ontario watershed. Fruit, spice, tartness, and wood blend in this smooth and refreshing ale.
- Perry's Revenge Ale : A Scotch Ale, malty and complex mahogany colored with hints of chocolate. To commemorate the historic find by Cottrell Brewer, diver and discover Charlie Buffum of the wreck of the USS Revenge off the coast of Watch Hill Rhode Island. Last seen in 1811, the USS Revenge was Oliver Hazard Perry’s first Naval Command before his famous victory in the battle of Lake Erie during the War of 1812. Perry’s Revenge is a discovery you will wish to make with friends. Summon to mind the mystery of things long lost in the darkness of the ocean bottom.
- Midnight Train : A dark German lager also known as a Schwarzbier (black beer). Medium-light bodied, with a dark brown color with ruby highlights. A balanced malt flavor that is roasted yet smooth Brewed with Midnight Wheat.
- Embrace The Funk - Cuvée Funk Fest ‘18 : A blended wild French ale aged in select red and white wine barrels with pink guava, passion fruit, oranges and pineapples.
- Maharaja : Maharaja is derived from the sanskrit words mahat, meaning “great”, and rajan, meaning “king”. Much like its namesake, this imperial IPA is regal, intense and mighty. With hops and malts as his servants, he rules both with a heavy hand. The Maharaja flaunts his authority over a deranged amount of hops: tangy, vibrant and pungent along with an insane amount of malted barley – fashioning a dark amber hue and exquisite malt essence. Welcome to his kingdom!
- Dunkel Weizen : Bavarian style wheat beer contains a cloudy amber with a medium light body. Its overall profile is a very unique intermingling of the caramel chocolate suggestions, counterbalanced by a mildly fruity finish.
- Never Together : Never Together is the next iteration of our fruited Never gose series. For this 4.9% Gose, we used pink Himalayan sea salt and conditioned it on an insane amount of blood orange purée.
- Brozerker : Ruby port aged Dark Lord
- Citra Enigma : The nose is bright and tropical leading to aromas of starfruit and fresh citrus. The palate is full and presents as a hop smoothie with notes of honeydew, cantaloupe, and mango brought fourth by the Citra and Enigma hops. The beer finishes clean with a very subtle bittering to balance all of the fruit character.
- Demo : Demo is a deliciously dark lick of an India Pale Ale. It’s medley of roasted malts and heady hops will have your senses dancing to the beat of a different I.P.A.
- Funkadelphia : A Belgian-American style sour ale made with a blend of wild yeast and bacteria, aged in wine barrels for half a year. Light funky notes of grapefruit, tangerine and orange peel meld together to create a refreshingly tart finish.
- Q-Hut Red : Double Red Rye IPA brewed with loads of Michigan-grown Summit, Chinook, and crystal hops, along with some Amarillo and Galaxy, and just enough dark crystal malt to sweeten it up a tad. 
- Chaman : This beer style was created in the late 1990’s by some breweries on the west coast of the United States, and most notably by Rogue. It’s an extreme version of the American IPA. It’s a beer with strong amber hues and dominating hop flavours and tastes. It is however well balanced through the presence of a combination of malts. This beer is usually dry hopped, a tradition that is adhered to by Dieu du Ciel!. The bouquet of the beer consists of floral hops. In the mouth, the bitterness is quite strong, without being extreme, and the alcohol makes its presence known, without being domineering. The aftertaste is dry and less syrupy than a barley wine. Thus, it is a very complex and bitter beer, but always well balanced.
- Grande Noirceur : The Grande Noirceur (Great Darkness) is a dense black beer with robust roasted flavours. Its imposing bitterness is balanced by the presence of complex malted, caramel notes. It takes its name from the conservative policies of mid-century Quebec. The Grande Noirceur was born at our Montreal brewpub in March of 2004.
- Arbor Brewing Steamroller Russian Imperial Stout : Our biggest, strongest, darkest, and richest stout. Black malt flavors expand into a full-flavored palate bursting with dry, roasted espresso and bittersweet chocolate. The character is generous and warming. Surprisingly drinkable for its obvious weight.
- Drivetrain : Our small batch series carries on! This time we brewed an Oatmeal Stout for the impending New England winter weather. Drivetrain pours a jet black with a persistent mocha head. We taste upfront coffee roast flavor backed by dark fruit character, and a light malty sweetness. The oats lend a slight nutty flavor, and help contribute to the smooth creamy mouth feel of this beer, making her a real sipper. Enjoy!
- Pugachev Royale : Pugachev Royale is a more developed version of Pugachev’s Cobra. We added cacao nibs and vanilla beans to a select few barrels of Cobra during its eight months in Bourbon Barrels, then transferred it to brandy barrels for an additional 10 months of aging. Royale displays sweet, ripe fruit notes doused with incredible chocolate aromatics. This is a truly decadent beer to be saved for a special occasion, and will evolve in the cellar for years to come
- Wild Sour Series: Lynnbrook Raspberry Berliner Weisse : Lynnbrook, named after our founder's family farm, is a wild Berliner-Style Weisse with raspberries added, resulting in a very refreshing beer presenting with fuchsia color and an aroma reminiscent of picking tart red raspberries growing next to an old, abandoned barn, with the raspberry-lemony aroma giving way to hints of brie and barnyard funkiness. The flavor is absent of any hops or bitterness and instead has initial impressions of subtle lemon and yogurt supported by tart, fresh raspberries and underlying lactic sourness. The beer's dry finish helps cut through some sweetness from the fruit.
- Marty McRye : A cereal medley Pale Ale with oats and rye and a big burst of fruity hops. The idea came from Justin Harm on the Sixpoint sales team. Classic style, futuristic hops. 6.7% ABV
- Citra Sour : Citra Sour is our very first single-hopped sour release. As the name suggests, Citra hops lend citrusy, fruity flavors and aromas, leaning toward grapefruit or even melon and passionfruit. It’s a popular hop in blends behind big West Coast IPAs, but bold enough to shine solo.
- Cherry Chocolate : A dark wheat beer that tastes like a chocolate covered cherry…only better!
- Four : We brew this beer with four malts, four sugars, four hop varieties and we ferment it four times, using four different yeast strains. The complexity of the brewing process is matched by the complexity of this unique beer. Flavors of raisin, candied fruit and plum express themselves throughout.
- Barleywine : Traditional brown, English-style Barleywine with intense, complex malt sweetness and a sherry-like quality. Full-bodied with balanced bitterness and a warm finish.
- Southport Blackstone Stout : Smooth and very velvety. Dark roasted malts, flaked barley, and select hops are blended together to create this traditional Irish stout. Outstanding!
- Abbey Porter : Fermented with a Belgian yeast strain and then aged in bourbon barrels. Fruity, dark, and strong in flavor, not in alcohol.
- Bierhalle : Bierhalle is our 5.5% Marzen-Style Lager brewed to celebrate Oktoberfest. Its brewed with Continental Pilsner, Vienna and Dark Munich malts and hopped with Hallertau Mittlefruh and Czech Saaz.
- Saison De Lente : Our Spring Saison is light blonde in color with a fresh hoppiness and a wild and rustic Brettanomyces character. Lighter in color and alcohol than our Saison Rue, yet equally complex in its own way.
- Hoppy Buoy : This American style IPA is a beacon of full-on hoppiness. Brewed with shiploads of aroma and finishing hops , it's spiked with mango and partially unfiltered to deliver on citrus and tropical notes. Loads of great aromatic and bittering hops deliver citrusy and tropical fruit aromas , ruby red grapefruit flavour and a balanced malt backbone.
- Craig Finn's Clear Heart : Characterised by it's biscuity malts and easy drinking style, this was the second ever beer we brewed and still tastes as amazing as the very first time it passed our lips. A Golden ale that works equally well when standing at the back of a dark venue or in a sunny beer garden. Drink with joy.
- Funky Wit : A sour version of our famed Angel City Wit, aged in French Oak White Wine Barrels, incorporating Brettanomyces and Roeselare yeast for a refreshing, yet complex finish.
- Bavarian Weizen : Our unfiltered wheat beer is a tribute to our Brew Master’s German Heritage. Our recipe is very light amber in color. The yeast is from southern Germany, and produces the clove spiciness and banana fruitiness.
- Humulus Lingus American IPA : A big, malty IPA brewed with 20 pounds per barrel of freshly picked wet hops from Hophead Farms in Michigan. Jam packed with Cascade hop flavor and a delicate, jammy, and fruity nose without the bitterness.
- Endless IPA : Long days and warm nights awaken the city. The list of neighborhood festivals is endless. As is the great music that brings us together in parks and parking lots. We brewed our Session IPA to be easy drinking and endlessly refreshing, so you can enjoy every encore. Bright note of fresh oranges and other citrus fruit with a mild body that is crisp on the palate.
- Black Plague Stout : We start with Canadian two row barley, followed by loads of roast barley and oats, a light addition of Pacific Northwest Columbus hops and finish it off with some fresh liquorice root and decadent dark cocoa for a little chocolaty mouth feel. Brewed in small batches (even by our micro brewing standards), the result is a smooth, rich, roasty and always fresh stout sure to cure what ale's ya. This once seasonal favourite is available year round for you thirsty hoards looking to fend off the plague of boring beer.
- Vitamin Sea : Bright, breezy, and refreshing, Vitamin Sea is a thirst-quenching Australian Sparkling Ale showcasing flavors of fresh crushed citrus, tropical fruit, and white wine. Australian Topaz, New Zealand Motueka, and German Hallertau Blanc hops are complimented by pear esters and a clean malt profile perfect for beating the summer heat.
- Café Royale : We age a stronger version of our CoffeeHouse Stout in Virginia Gentlemen Bourbon Barrels for 3 months. This aging adds layers of complexity including notes of vanilla and bourbon to this big coffee beer.
- White Noise : Delicate, crisp, and refreshing, this wit makes for a fantastic lawnmower beer, and the perfect refreshment after a day in the mountains. Pale straw in color with a fluffy white head. A distinct bready aroma from the unmalted wheat and Belgian yeast. Lightly sweet, a touch of fruity esters, and just a hint of orange and coriander, with a dry and slightly tart finish. Yes please may I have some more.
- Melby Dick's Great White Porter : "Call me Ishmael. An original experimental beer from BBC. The idea spawned from a growing trend in the rest of the brewing community making out of style traditionally brewed beers. Other, dare I say, less original breweries, have caught on to the old making a light beer style dark game. They are making Black Bitters, Black IPA's, heck we even made a Dark Pilsner. But that is easy, all you have to do is throw in some dark roasted barley into your "regular" light colored beer recipe and viola dark or black "whatever". The real challenge is to make a dark beer light, and that my friends, is exactly what we have done. You may ask how would you accomplish such a monumental feat, bleach,didi 7,Oxyclean? No on all counts. We had to use a little creativity and some ingenuity. Think about what flavors are in a porter. Caramel malt sweetness, chocolatly and roasty flavors, and even some notes of dark fruit all these are gleaned from a dark roasted barley malt. So we took out all the dark malt and recreated all the flavors with lighter ingredients. We used a combination of lightly kilned barley, French Avo matte, caramel pilsner and Canadian honey malt to give a caramel malt sweetness. We pureed and added golden raisins to lend some notes of dark fruit. We then added roasted chocolate nibs in both the whirlpool and conditioning tank to give a chocolatey flavor and aroma. And finally a touch of brewed espresso from Heine Brothers to lend a bit of roastiness."
- Farmhouse IPA With Brett : We love the combination of juicy hops and the fruity esters and phenolics of Belgian yeast. Now we added Brettanomyces at the point of bottling to provide an extra layer of complexity and funk to our Farmhouse IPA. “Brett” is a formally wild yeast feared by brewers and vintners alike, but to some brewers Brett’s earthy and tangy flavors are as familiar and inviting as an old friend’s embrace. We hope you and Brett will be fast friends too.
- 100 Barrel Series #17 - English Style Old Ale : Harpoon Old Ale is inspired by the sustaining winter offerings of many English breweries. This complex & malty brew is marked by significant alcohol warmth, balanced bitterness, biscuit/roasted undertones, and sublime mouthfeel. Proper English yeast, traditional hop varietals, and generous malt bill create a wonderful companion for the fireside. Enjoyable for consumption now or for extended cellaring.
- Snow Melt Chocolate Wheat Stout : "Two ingredient choices make this an unusual stout: (1) malted wheat as the primary base malt (rather than malted barley) and (2) chocolate malt as the primary roasted color grain (rather than black patent or roast barley). The flavor result is interesting. The initial impression in the mouth is rich and luxuriant. This robustness, though, quickly gives way to a bone-dry dark bitter chocolate character. In effect, the wheat provides roundness and body but readily bows off the flavor stage in favor of the roasted chocolate malt. A strong, unsweetened espresso-like flavor lingers in the aftertaste accentuated by a warming alcohol dryness."
- Père Jacques : Warm molasses color, dark fruit aroma, rich caramel flavor, rich soft body.
- KnightVillian : Our dark German ale that won't slow you down. Rich in color and medium in body, this black ale is roasty yet drinkable.
- Belgian Dubbel : A deep reddish, moderately strong, malty and complex beer with a full body. This recipe features several specialty malts that impart complex flavors and are imported in from Belgian.
- Mars Red Sky : This collaboration with Une Année Brewery did not want to stop fermenting. So instead of Biere de Mars, we have your new Spring fling – Biere d’Avril. Strong notes of raisin & spice highlight this traditional French farmhouse ale. Spicy Saaz & Strisselspalt hops round out this complex beer.
- Funk N’ Sour Series : Batch No. 3: Lucine : A blend of two mixed fermentations made up this tart blonde ale. One spent almost two years in well-traveled chardonnay barrels, the other about seven months in second turn Cabernet Sauvignon barrels, both exhibiting the light funk and bright fruit character that Brett is known for. Their marriage makes a bubbly tart showcase of subtle strawberry, hay, peach, and apricot.
- Corfu Amorosa Weiss : When a different combination of cereals are combined together with a fruity yeast that releases a smooth banana flavour during a double fermentation process, the result can be only one... the ultimate experience... your AMOROSA...
- Raven De Garde : This Northern France inspired strong pale hybrid has gone through a six month secondary fermentation with the “wild” yeast strain brettanomyces lambicus, then dry hopped in order to meld bright fresh hop aroma and accent with aged wild yeast character. Pear and citrus hops play with tropical fruit, smooth earth, and light hay flavors from the wild yeast.
- Pandora Pale Ale : A perfect initiation to our range of “real ales" this is truly an imperial product. We employ a hint of crystal malt accentuated by Golding & Fuggle hops, producing a light, slightly fruity & delightfully aromatic beer.
- Mallow Grande : Mexican Dark Lager, brewed with organic, malted chocolate maize.
- Belgian IPA : IPA with the fruitiness and spiciness derived from the use of Belgian yeast.
- Goldie Lochs : Same base beer as Tis' the Saison but spicier; fruity, light lemon notes attributed from Sorachi Ace hops. Fermented at ambient temperature (68F).
- Blackberry Lenin's Revenge : The hulking grain bill, featuring roasted barley, creates a smooth mouthfeel. Cascade hops perfectly contradict each other, giving way to the fresh blackberry and floral notes on the front nose, while the Belgian yeast strain provides a bone-dry dark chocolate finish.
- Alight #2 : Barrel blended sour lite brown ale. Alight #2 is the second in our series of ephemeral barrel-aged session sour releases. An earthy, funky nose gives way to a tart, dry and malty body with a touch of red fruit notes on the finish.
- House Arrest : Life on a farm a few centuries ago probably possessed few luxuries outside of a warm fire and a tankard of house-brewed ale. It was likely a simple brew made with no thought to dazzle, be pondered or least of all, taste consistent from batch-to-batch. It was brewed for a basic purpose—to refresh, sustain and comfort a hard-working body and mind. Our Farmhouse Ale, House Arrest follows this model. Each batch will be tweaked or completely changed dependent on what malt or hops we have, and also how hot or cold it is outside. What will not change is the farmhouse yeast, which provides the spicy, grassy, and fruity flavors beer drinkers for centuries have enjoyed.
- Pineapple Pilsner : Pineapple Pilsner is a refreshing American Pilsner with an exotic twist. Subtle esters of grain and hints of sweet citrus fruit collide with a mouth puckering pineapple flavor. The slight essence of malt and corn produce a relatively clean mouthfeel and a lingering tart finish.
- RPA (Rye Pale Ale) : Cameron’s Rye Pale Ale ABV is one of our most popular seasonal beers. It was originally brewed for the 2011 Bar Volo IPA challenge, earning 2nd Place, by combining the best parts of American and British IPA styles, we achieved a robust and unique staple. This fusion is hazy orange-amber in colour, with a well-constructed white head. It begins with an up front citrus aroma followed by a complex malt body with a hint of peppery rye which releases earthy floral British hop flavour on the finish.
- Cherry Lager - Brandy Barrel-Aged : Pours deep red with a thin, lacy head. Strong brandy overtones of fresh cut oak, tobacco, and red fruit greet the nose, followed by notes of toffee and marzipan. The taste echoes the aroma with intense brandy flavors of wood, vanilla, and mild black pepper , with tart cherry and toasty caramel malt in close pursuit. Medium-bodied, it finishes with lingering cherry tartness and mild alcohol warmth.
- Demo Tape Eighteen: Multigrain Farmhouse Ale : This special twist on a farmhouse ale was brewed with 2-row pale barley, Vienna malt, wheat, triticale, spelt, buckwheat, chitted wheat, kvass ‘sour’ rye malt, oat malt, acidulated honey malt, and malted sunflower seeds – all from Valley Malt. This beer is super dry, but balanced with subtle lemon and pepper phenols from the saison yeast and hints of citrus fruit from the addition of Mandarina Bavaria hops. This beautiful, sessionable beer is the perfect summer crusher!
- Nut Brown : This English style brown ale is deep amber in color with a medium-light body. Chocolate rye and toasted malt lend to this beers soft nutty character and smooth finish.
- 6288 Stout : Introduced in 2007, the 6288 Stout is our winter season specialty beer. It is a rather lengthy process to brew the 6288 Stout. It is brewed with 5 different malted barleys, using American and French hops. Keeping with the Tuckerman tradition, it is cold-conditioned, dry-hopped and bottle conditioned using the krausening process. The fermentation takes about two weeks, twice the time of our other beers and conditioning takes three months! It’s worth the wait, as the extra time gives this special brew time to mellow, offering a very smooth dark, malty flavor.
- Double Barrel GBS : Hardywood Double Barrel GBS is a labor of love from start to finish. Our Gingerbread Stout is aged for four months in Caribbean dark rum barrels where it adopts sticky sweet notes of molasses and brown sugar. From there, the rum barrel-aged GBS is then transferred into bourbon barrels and aged for an additional four months, introducing notes of oak and velvety caramel. If you're the one who goes straight for the biggest gift under the tree, this bottle is for you.
- Winter Warmer : A traditional British style holiday ale. Subtle fruit character attributed to the yeast. Dry-hopped with Noble hops and fresh ground cinnamon.
- Nelscott Reefer Hempeweizen : This beer is named for the world famous big wave surfing site, Nelscott Reef, which is about a mile north and a mile out to sea from our brewery. The name “reefer” called for a bit of hemp seed in the mash, which imparts a nutty flavor on the back of the pallet. This is a traditional German style Hefeweizen with the addition of the hemp seed, made with the skill and love our brewers put into every Rusty Truck brew.
- Moon Tower Stout : A summer stout, medium bodied and smooth with a mild roasted coffee and toasted caramel notes and a dry finish. A perfect dark beer for a warm summer day.
- Jubilee VIII : Belgian Dark Strong Ale aged in Rum Barrels
- Occupied Space : This sour blond ale is aged with a mix of yeast and bacteria (Lactobacillus, Pediococcus, Saccharomyces, and Brettanomyces) in neutral French oak barrels and then has organic Masumoto family farm nectarines added at about 2 lbs. per gallon. This beer brings a nice barnyard funkiness to balance the juice nectarine fruit.
- Wrathchild Smoked Weizenbock : Wrathchild is a subtly smoked doppel weizenbock inspired by Aventinus and Schlenkerla. This bastard child was the brainchild of Tom Nickel and Scot Blair and was brewed as part of the O’Brien’s 20th anniversary celebrations. Chocolate and dark fruit notes from the malts blend with the smoke and yeast phenols to create a unique beer that will rock your tastebuds.
- Lil' J : Collaboration with Dark Horse Brewing
- Waimea Punch : Brewed in collaboration with Aslin Beer Company, Waimea Punch is a 7.2% Passion Fruit IPA brewed with British base malt, oats and a small amount of crystal and lactose. It was hopped with Waimea and Amarillo in the whirlpool with passion fruit added to the fermenter. It was conditioned on passion fruit until all the fermentable sugars were consumed then dry-hopped with Waimea, Amarillo and Citra. Waimea Punch has tropical fruit and citrus notes but finishes with a subtle tartness from the passion fruit.
- Incessant : Golden effervescent sour beer with brettanomyces. Floral and spicy esters from the brett are elevated by the high carbonation level. Sharp lactic acid sour adds some complexity to this brett forward beverage.
- The Local Brown Ale : A sweet malty flavorful beer with hints of caramel, chocolate, and coffee perfectly balanced with American hops leaving it clean and crisp. And don't be fooled by its dark color and full bodied flavor. It is surprisingly light and should be enjoyed all year long. Pair it with any food...you'll enjoy it with everything you eat.
- Uncle Jacob's Stout : Jacob Spears, our 6th Great Grand Uncle, is credited as the first distiller to label his whiskey “Bourbon.” He built his distillery in Bourbon County Kentucky in 1790 — 203 years before we began brewing. While obviously a bit too late to produce Uncle Jacob’s wash, we’ve instead created something far more complex. In his honor, we present this robust, silky smooth, full-bodied and altogether extremely American rendition of an Imperial Stout aged for 6 months in the very finest Bourbon barrels. This explains a lot about our penchant for big brews! It’s in our blood!
- Entangled Hopfenweisse : When the fateful interplay of Hefeweizen yeast and North American hops bear fruit, this is their love child. Banana, guava, passion fruit and citrus; where do the esters stop and the hops start? Impossible to say. Cheers!
- Denali : This American strong ale pours dark amber in color with fragrant aromas of scotch, honey, and toasted oak - sips with warm flavors of walnut, caramel, black tea, and raisin.
- Nut Brown Ale : Developed in London, England, Brown Ale has been brewed for hundreds of years. English and American brewing techniques, combined with generous amounts of Amber, Brown and Honey Malts, give Bitter Root Brewing’s Nut Brown ale its nutty, sweet character.
- Forever Navigator : Sour IPA with aromas of grapefruit and passionfruit coupled with flavors of candied lemons and fresh squeezed orange juice. Dry hopped with copious amounts of Simcoe, El Dorado, and Galaxy.
- Pugsley's Signature Series: Barley Wine : This addition to the Pugsley's Signature Series collection is a big beer made with six different malts and balanced with a very full hop charge. It is a deep reddish brown in color with a complex fruity nose, a very full body, and an interesting balance between grains and hops which ends with a pleasing dry taste.
- Ash : Sour beer brewed with ash leaves from Brasserie du Brabant's farm and mashed with cedar in a puncheon at Scratch before being boiled in their copper kettle. Fermented with Scratch's wild house mixed culture. Beautiful floral aromas and grapefruit-like finish.
- Stout : Mashed at a higher temperature for a finish with a bit of perceived sweetness using dark roasted malts which impart roasty notes of coffee, and dark chocolate and oats for a thicker, creamy mouthfeel and head retention. 
- Dialed In (w/ Pinot Gris Juice) : This iteration of Dialed In is a fresh, juicy Double IPA intensively dry hopped with Galaxy and El Dorado. Pouring a vibrant, hazy gold; aromas of white wine, tropical fruit, and citrus swirl around the nose. Upfront flavors of grassy hop, lime zest, and pineapple coincide with vinous notes from the mid-fermentation addition of Pinot Gris juice. Soft and creamy with moderate bitterness; Medium-Light bodied with a crisp, dry finish. 
- Farmhouse Noir 100% Oak Fermented : Farmhouse Noir is our version of the darker side of the Saison style. Fermented entirely in oak, Farmhouse Noir balances light, chocolate notes and barnyard funk with a tight, vinous acidity. The use of flaked oats lends a silky mouthfeel, just as it's deep chestnut hue belies a dry and refreshing finish.
- Imp. Peach Mint IIPA : The “Imp. Peach Mint IPA” (8.8% ABV, 72 IBU) was brewed with Azacca Hops and real peach puree to provide a wonderful bouquet tropical fruit and peach flavors. Fresh mint was used in the dry-hops to give a more effervescent character, but mostly to complete the allegory.
- Brother Nelson Razbeardo : Belgian Strong Dark Ale brewed with Nelson Sauvin Hops and Klug Farms Black Raspberries.
- Across The Nation Swift Currant : Yukon – Yukon Brewing Company: Swift Currant Dark Ale – Community plays a large role in Yukon life. This comes from the long winters and breathtaking wilderness surrounding. Taking a dark and warming beer style with local inspiration of black currents we have come out with a beer that truly represents the people of the Yukon.
- Uncharted Belgian IPA : Uncharted Belgian IPA was fermented with two different yeast strains; a Belgian Abbey style that produces a nice ester flavour profile with spicy notes and a classic West Coast India Pale Ale strain that showcases the punchy and tropical fruit flavoured Riwaka hops from New Zealand. This is a lively and dynamic 7.5% alcohol beer that is presented to you in its purest form, cloudy and unfiltered. Uncharted Belgian IPA is a very unique style of beer that is best enjoyed well chilled and served in a stemmed tulip glass.
- Immortal : A dark reflection of the mighty seven headed Hydra Serpent, the Immortal 7 Barley English Style Ale has a complex blend of superior flavors and deep brown color reminiscent of the deep abyss. with a subtle lure of light fruitiness from the best of British yeast cultures and a craft blend of choice hops, Immortal 7 Barley English Style Ale delivers a non-bitter taste with an easy finish.
- Norse Pale Ale : Our Norse Pale Ale is fermented with traditional farmhouse kveik yeast from Sigmund Gjermes in northern Norway and triple-dry-hopped. Complex aromas of orange peel, pine, peach, and white pepper combine with rich brown sugar and honey to balance the moderate bitterness of this hoppy farmhouse ale.
- Red Flannel IPA : Red Flannel IPA was made for the transition into 2018 while harkening back to the classic winter warmers produced by craft brewers before we started. A rich, malty base loaded with caramel tones supports old school, straightforward hopping. Cool, open fermentation with our house yeasts lends background floral notes, a contrast to the typical fruity flavors found in the style.
- Interboro / Other Half - Double Dose : Brewed in collaboration with our friends at Other Half Brewing this double dry hopped double IPA was brewed with Mosaic & Centennial and dry hopped with a blend of Centennial pellets and Mosaic and Citra lupulin dust. Pours hazy pale orange, dank pineapple tropical fruit aromas and orange creamsicle flavors.
- Universal Mirror : Blackberry, Peppercorn, Unripe Fruit, Toast, Dry. Dark Saison.
- Cerasus Fermentum : Created by adding Montmorency cherries to a Belgian-style brown ale and aging in an oak cask for four months. The result is a fruity, spicy, tart, complex ale blending oak, vanilla, intense cherry and brandy-like flavors.
- Porter : Our Porter is black in color and has a roasted, coffee-like malt flavor. A favorite amongst those who enjoy dark ales.
- Throwback Oma's Tribute : Oma’s Tribute is a light, crisp Schwarzbier that has a rich, dark brown color with beautiful red undertones. This beer is supremely smooth and easy to drink, with a slight roasty taste and very little hop bitterness. For you lighter beer fans, don’t let this beer’s dark color fool you! Oma’s Tribute is very crisp and clean, with a light mouthfeel.
- Blackbeerd Imperial Stout : As dark as the legend of Blackbeerd himself, behold the Imperial Stout. Sweet malts battle roasted grain on the decks of yer tongue. Like a blast from a cannon, hop are followed by smoked malt. Hold on to yer booty, a dark stouts a brewin'.
- ESB (Extra Special Bitter) : A flavorful refreshing session beer. Balanced but with a firm hop bitterness, low hop character, and a touch of fermentation character from the yeast. it also has a complex biscuity, toasty, nutty malt character in the background.
- Sheer Madness : Pale Ale aged in Tequila barrels with feijoa fruit.
- Mr. Robusto : Domo Arigato Mr. Robusto! Thanks Dave Martin, 2015 Home Brew-Off winner, for brewing this rocking Robust Porter! No secret secret, this beer shows its true identity as beautifully dark brown, complex and intensely roasty. Dave may have human heart, brain IBM & parts made in Japan...but who is Kilroy?
- Black Bear Gearhead Ale : Gearhead Ale is a malt forward dark amber ale. There are caramel and roasted notes, and a slight English hop character. This is a very smooth beer that leaves you wanting another sip to explore the subtle complexities.
- Lurching Towards the Sun : Lurching Towards the Sun is a new 8.5% Triple Dry Hopped Imperial IPA. This beer is hopped with Citra and Enigma in the whirlpool and massively dry hopped three times with Citra, Vic Secret, Engima and Chinook for intense notes of passion fruit.
- Southern Sunrise : Blended in collaboration with our longtime friends Beth and Craig Wathen, Southern Sunrise pays tribute to the Wathens and their 10 years of innovation in San Francisco. A barrel-aged saison at its core, the late addition of Georgia’s favorite fruit lends a modest, yet juicy, peach finish to this smooth beer. We encourage you to share Southern Sunrise with good friends while you celebrate the sweetness of friendship and the love of beer. Sante!
- Curiosity Thirteen : Our burst of Curiosity persists… ! Brewed with a potent blend of Northwest American and Southern Hemisphere hops, Thirteen pours a brilliant hazy yellow in the glass with a dense and creamy head. We experience flavors and aromas of peach, apricot, stone fruit, pungent citrus, and even a bit of honeydew melon on the edges. The bitterness here is highly restrained making C13 exceptionally easy to drink. The first time our curiosity has been canned - and certainly not the last!
- Canvas Series: Oaxacan : Tequila barrel-aged smoked sour ale with grapefruit and lime zest.
- Double Shot - Hair Bender : Made with Stumptown Coffee Roasters complex house blend...Hair Bender! This batch is not to be missed. We taste waves of vanilla and chocolate cake buoyed by that rich body we've come to love!
- Gunpowder IPA : A bright and bold IPA that won’t burn you buds. This beer gets its aroma from Gunpowder Green Tea and citrus zest in the boil with generous dry hop additions of Citra Hops. With it’s herbal complexity and balanced backbone… This IPA is sure to please.
- Breakfast Black : This lightless brew breathes powerful dark malts: rich cocoa entwines with roasted malt scents while light traces of coffee wind through the bouquet. Despite its ominous black appearance, this pilsner washes buoyantly over the tongue. Roasted malts stream down the middle, while dark chocolate adds depth to the savor. Coffee notes emerge in the back where its sweetness is balanced by earthy hops. A bitter malt twang nips the sides of the tongue and merges with an earthy wave for a gentle finish.
- Funky Lomaland - Red Wine Barrel-Aged : In the fall of 2013, we brewed a batch of Lomaland--our year round saison--and fermented it with a little added space dust: Brettanomyces Claussenii & Brettanomyces Bruxellensis Trois. These two slow-moving yeast strains added a marvelously funky complexity that starts with the barnyardy/fermented-fruit aroma and continues in the dry, deliciously nuanced flavor. The long rest in red wine barrels has given Funky Lomaland a gorgeously fruit-saturated finish & an oaky, rich backbone.
- Orion : The beer formally known as "Nebula", is a Belgian-style dark IPA. The focus is not only on the yeast used during the brewing process, but also on the hops and dark grains. The yeast imparts a fruity and spicy flavor/aroma to the beer, followed by a sharp bite from the hops, then late in the finish you enjoy the flavor of the dark grains. Our version has no added fruit or spice.
- Holiday In Aronia : Barrel-aged sour blonde re-fermented on Aronia berries. Complex and delicious.
- Everett Porter : Everett (1908-1939) was our grandfather’s brother; Hill Farmstead Brewery rests upon the land that was once home to him and his 13 siblings. In his honor, this Porter is crafted from American malted barley, English and German roasted malts, American hops, our ale yeast, and water from our well. It is unfiltered and naturally carbonated. Decadent in its depth, with a complex backbone of chocolate, coffee, and malty sweetness, this is the ale that I dream to have shared with Everett.
- Belmageddon : Significant fruit aroma, a bit of melon and a whole lot of strawberry, this IPA uses Belma hops in conjunction with Citra to make an IPA unlike any other.
- Barrier Reef Nut Brown : English-style Brown ale that is smooth and malty featuring a big nutty flavor.
- Bronan : This golden IPA, less bitter than its rival west coast counterparts, is full of peach, passion fruit and citrus notes imparting a wonderful tropical flavour perfectly balanced with sweet malt undertones and hop bitterness. 
- Beltian White : First brewed by Harvest Moon in 1998, this wheat ale is a mild version of a Belgian classic, with perfect amounts of malted barley and malted wheat, hopped with Czechoslovakian Saaz hops, and finished with a touch of coriander and orange peel. It soon developed a faithful following and has become the brewery's most popular beer, winning many people's choice awards. It is an ale for every season with a hint of fruit in the nose, subdued malty flavor and a slightly orange (citrus) finish. Often it is seved with a slice of orange! Why the name "Beltian"?Because it's a Belgian-style ale brewed in Belt - BELTian white!
- Quit Hitting Yourself : Dark Lord Aged in Porto and Madeira Barrels
- Brett IPA : During transport overseas, early India Pale Ales were stored in wooden barrels. In these barrels—beer experts suppose—some ales were naturally inoculated with Brettanomyces, a form of wild yeast. Brett IPA plays off this piece of brewing lore by pairing Brettanomyces—a yeast that exhibits itself as ripe fruit rather than strong funk or sourness—with multiple varieties of fruit-forward hops.
- Morningwood : This complex imperial chocolate coffee stout aged in bourbon barrels provides a mouth watering vanilla, oak, whiskey, chocolate and espresso flavors.
- Christmas Bonus 2015 : Brown in color, we used orange, lemon, and grapefruit peels along with a hint of cinnamon to make a beer fruitcake.
- The Yak : A simple malt bill lets the hops shine through with bright resinous tropical fruit flavors and aromas of pear, melons, pineapple and mangos and hints of stone fruit.
- Porter : Known as "Three Threads" or "Entire". Porter became England's first national beer in 1722. It was called porter because of its popularity with that group of laborers. Bitter Root Brewing brews this rich dark ale with a hint of peat-smoked malt as a salute to English brewers long forgotten.
- ESB : The elite of English bitters, this deep copper ale has a full malt body matched with lots of fruity hop flavour & medium bitterness. A must-drink for all you hopheads.
- Nut Brown Ale : Deliciously dark, this medium bodied English brown ale has burnt toffee & caramel notes with low bitterness.
- Blood From The Barrel : Belgian Style Dark Ale aged in Malbec wine barrels.
- Jasmine Pearl Pils : Jasmine Pearl Pils was brewed for the annual Fruit Beer Festival. The base beer is similar to the Engelberg but uses a different base malt and alternate lager yeast that still shows plenty of character. The two beers differ even more in that the JPP has dried lemons and Townshend's Dragon Pearl Jasmine tea added, both in the kettle and post-fermentation. The resulting beer has a beautiful aroma that plays well with the pils malt flavor, and the slightly increased acidity from the citrus makes for a soft, refreshing finish.
- Solemn Oath / Perennial Pat : Funky, fruity farmhouse aroma followed by complex layers of cocoa, spice, and stone fruit on the palate. Medium-bodied and round with a dry finish. Brewed in collaboration with our friends at Perennial Artisan Ales.
- 21st Anniversary Fresh Hop Pale Ale : In November of 1989, John McDonald loaded his pickup and drove three blocks down the street to deliver the very first keg of Boulevard beer. Though significantly more assertive, Boulevard 21st Anniversary Fresh Hop Pale Ale is brewed in loving tribute to that original Pale Ale. English pale malt gives the brew a rich, nutty malt flavor. Munich and Caramel malts add color and body, while a blend of Cascade, Hallertau, Magnum, Styrian Golding, and Centennial hops contribute scintillating citrus aromas and complex, peppery notes.
- Hard Ball Dark : A rich mocha flavor with a subtle herbal hop presence contributes to our smooth and satisfying German-Style Dark Lager.
- Parageusia1 : This is a Cabernet Franc barrel-fermented Ale that I brewed with wheat malt at Tired Hands Brewing Company. At this point, Parageusia1 is roughly nine months old. The yeast used to ferment this beer is a melange of yeast cultured by Tired Hands Brewing Company as well as yeast and bacteria resident to Ardmore, Pennsylvania. I believe that people of this time may refer to my Ale as a "Saison" or perhaps a "Wild Ale". Archaic stylistic descriptions aside, this is an Ale that I find to be very engaging and enjoyable; Bone dry with a bright citric acidity and a refined stone fruit presence. Also, it is suitable for indefinite aging into the future. 
- Daytona 500 : Caliente! Spiced with ghost pepper powder and galangal root. Complex flavors of ginger and chili pepper dominate this Belgian farmhouse ale.
- Dark Alchemy : We love our porters and we love our spicy food! So we had to brew this... Combining a rich complex malt bill with the bitterness and aroma from lots of Cardamon & Coriander & no hops, to create a porter rich in body, super smooth & brimming with character. Perfect with a hot spicy dish.
- Amplified : This golden lagered ale is inspired by the iconic record store, Backstreet Records. We wanted to pay tribute to the lasting impact that Gordie Tufts has made on the local music scene. His son Tim is part of our brew team, and together they helped create a beer that really sings, tickling the palate with delicious Vienna malt and Mandarina Bavaria hops. The finish is clean and mildly bitter, with malt, hops and fruity esters playing in perfect harmony.
- Rubus Rebus : Stainless steel mixed fermentation with lactobacillus, brettanomyces, and saccharomyces. A bright, funky golden sour base beer dosed with an unseemly quantity of raspberries. Explosive berry flavors backed with complex acidity.
- Nissos 7 Beaufort : Nissos 7 Beaufort is a robust beer with a very dark character and 7% alcohol, brewed with generous amounts of dark caramel malts and naturally flavoured with three finest noble hops.
- Dubious 2 : Dubious 2, JDub's extremely limited, "Anniversary beer", was made in tribute to our friends who supported us through our first 2 years of operations. Dubious 2 is a dark, silky "treat", offering flavors of Chocolate, Pecans and Caramel. Almost all of this beer was bottled and offered exclusively on the day of our anniversary, this draft version one of only a few put into kegs. Enjoy the complexity of this "big" Imperial Stout.
- Live At The BBQ : Brewed in collaboration with our friends at Pig Beach, this IPA pours hazy yellow with white foam. Aromas of dank citrus, tropical candy and pink grapefruit. Brewed with Pilsner malt, Vienna and lots of wheat, fermented with american and English ale yeast. Hopped with Simcoe, Citra, Mosaic and El Dorado.
- Face-Off Pale Ale : A lively aroma of fruit and herbs, enhanced by dry-hopping, is supported by a clean, toasted malt character in our copper-colored English/American Pale Ale.
- Shady Aftermath : A malt-driven dark ale with layers of chocolate, caramel and coffee over a base of roasted malts. It boasts a rich mouthfeel giving way to some warming alcohol on the finish.
- No. 30 Irish Red : Brewed with roasted barley to achieve the dark amber color, Irish Red Ale has a malty, caramel taste, medium body and is less bitter than most beers.
- Be Cherry- Port Barrel-Aged : Belgian Dark Strong Ale aged on top of 400 pounds of Door County Tart Cherries and further aged in port barrels.
- Zante Currant : This Sour red Ale is fermented using our very own blend of Brettanomyces and Lactobacillus strains. It is then aged on Zante currants lending the delicate dark fruit flavor coming all the way from Zakynthos, the third largest Greek island in the Ionian Sea.
- Dark, Strong & Proper : A Belgian Strong Dark Ale aged in red wine barrels that was brewed in collaboration with the Homebrewers Guild of Seattle Proper to mark Reuben's 5th Anniversary. 
- Milkhouse Stout : Milkhouse Stout pours out as a rich black medium body with a tan creamy head. The aromas of dark chocolate and coffee take over in aroma but lead into a smooth chocolate finish of flavor with a sweet milky balance. Brewed exclusively for Gervasi Vineyard™ with unique recipes and styles that can only be experienced at a GV Destination.
- The Savage IPA : Infused with grapefruit and peppercorns.
- Queen City Pale Ale : This light bodied hop forward pale ale is brewed with Amarillo and Chinook hops, it has a piney character with a subtle grapefruit aroma. The combination of Montana grown 2-row, rye and crystal malt create a golden colored ale with a dry, crisp finish.
- No Limits Hefeweizen : Brewmaster Phil Markowski has taken a “bahn” less traveled to create our version of the classic Bavarian wheat brew –perfect for the warming temperatures. Beautifully cloudy with a generous head of foam, a wonderful fruit aroma and a dry finish, our Hefeweizen is a refreshing version of the original; with just a little bit more of everything.
- Rubbel, GrandTen Rum Barrel Aged : Inspired by the Trappist Dubbel style, Rubbel is an ode to a Belgian classic with a contemporary, rum-barrel aged twist. Our version of the dubbel pours amber-brown in color and emits aromatic qualities of toffee, sweet-candi sugar, toasted bread, raisins, mild molasses, and faint oak. Medium in body with a pleasantly dry mouthfeel, Rubbel drinks with a restrained malt sweetness and complementing flavors of caramel, dark fruit, molasses and underlying, yeast-derived spice.
- Double Porter Smoked : This deep dark brew may help to tame those cool evenings and put a little spunk in the long nights. You’ll flavor the sweet caramel malts, roasted grains, a big mouth feel and a touch of smoked grain.
- Tribble Saison : Tribble Saison begins with a grist including triticale and wheat, with heavy use of santiam and crystal hops in the kettle. While not excessively bitter, the beer has firm hop aromas and flavors, while underneath lies a subtle yet complex yeast character from the four brettanomyces strains employed for the fermentation. Don't expect a funky brett bomb - the Tribble is simply a well hopped, extra dry saison that shows the versatility of lesser used yeasts.
- The Royale : Collaboration with Pub Royale brewed with coconut, passion fruit and nutmeg.
- Downtown Nut Brown : A beautiful deep brown hue and a nutty sweetness identify this style of ale from Northern England. Although malt and caramel flavor dominate, hops provide a medium level of bitterness at the finish.
- End Of The Trail Brown Ale : Dust off and wet your whistle with a dark beer that tastes surprisingly light. Brewed as an English brown ale, it has gentle maltiness that will not overwhelm your taste buds.
- Covert Hops : Covert Hops is a crafty ale. Its stealthy dark appearance belies a light body and beguiling hop aroma from the loads of herbal, piney hops (4+ lbs per barrel to be exact) that melds exceedingly well with its deliciously devious roasty flavor.
- Odd Man Stout : A very dark, full-bodied, roasty, malty ale with a complementary oatmeal flavor.
- Lone Wolf : This IPA has four select malts in combination with four classic hop varieties & time honored traditional brewing methods including dry hopping, resulting in a golden ale with exceptional flavour & complexity. A true IPA in every sense.
- Narragansett Lovecraft Series - Honey Ale : Lovecraft Honey Ale is a perfect tribute to the dark prince of Providence, at once both familiar and out of this world. Combining five pale malts (including honey) and blessed with a touch of hops for a mild herbal finish, this smooth Honey Ale was inspired by the Space Meade consumed by winged Byakhee, who first appeared in HPL's "The Festival". The fictional Space Mead was then taken as a protection from "interstellar space travel"...but where you journey with our Honey Ale is all up to you.
- Poor Richards Ale : Brewed to celebrate Ben Franklins 300th birthday. Brewpubs across the country have brewed a reciepe similar to beer that Ben Franklin might have enjoyed during his lifetime. Our version uses corn, barley, and oats, along with some molasses, to create a light bodied slightly dark ale. Hopping is light, with English Kent Gold and US Cluster hop varieties providing 19 BU's, or bitterness units. The ABV is 5.6%, making it similar to the Old Ale beer style, which is the beer style attributed to early English brewing.
- Oak Claymonster : The Claymonster, a belgian dark strong, with notes of honey and banana gets the bourbon treatment with two full months in Diamond State Bourbon Barrels from Painted Stave Distilling.
- Scratch Beer 211 - 2015 (Imperial IPA) : The flavor of Scratch #211 is ensconced in mystery. In fact, you’d be surprised to learn that we brewed this puzzling DIPA exclusively with a single hop variety. The hop in question is a new Australian variety appropriately named Enigma. Cultivated through Hop Products Australia’s in-house breeding program, Enigma is a tough hop to crack flavor-wise. Reminiscent of semi-sweet white wine, raspberry, and faintly tart redcurrant (similar to a gooseberry), this versatile hop variety also demonstrates shades of bright tropical fruit and delicate fleshy melon (think honeydew and cantaloupe).
- La Grange Noir : Dark farmhouse ale with black malt and flaked oats.
- Chaos Chaos Russian Imperial Stout : Big dark and strong.
- De Zuidentrein Frambozenbier : GABF 2005 Bronze Fruit Beer, Belgian style brown ale aged in french oak and on fresh raspberries.
- Auspicious Ground : Brewed with Organic Ethiopian coffee from A & E Roastery in Amherst, NH. This dark lager has aromas of roasted coffee beans, followed by flavors of chocolate covered cherries, sweet malt and a short malt and berry finish. Decadent!
- Oliver's Biere De Garde : Made with roasted malts and European hops. Red-brown color and a fruity malt sweetness. The alcohol is in accordance with a northern European lunch beer.
- Neustadt 10w30 : A traditional dark English Mild. The term mild meaning “not bitter” does not refer to strength. Using pure natural spring water, New Zealand hops and imported specialty malts. Giving rich malt and light nut aromas and mellow malt and good hop notes to the palate. A smooth and easy drinkable ale.
- Flagship Roggenfest : Flagship's autumn seasonal combines two classic German beer styles. Roggenbier is a German ale brewed with rye grain. Märzenbier, also known as Oktoberfest for the Munich beer festival, is a full-flavored beer that marks the season. We give you Flagship Roggenfest! This malty brew uses Vienna and Munich varieties of malted barley that are complemented with German malted rye and German chocolate rye. Bavarian noble hops balance the beer with a mild bitterness and soft floral aroma. The result is a full-bodied dark copper colored ale with a smooth texture and spicy-like characteristic from the rye malt. Grab some bratwurst or a pretzel and enjoy a Roggenfest before the all the leaves fall.
- The Abyss (Brandy Barrel-Aged) : Enticingly ripe, earthy fruit rudiments awash in the open salt air of Normandy, lightly augmented with mushrooms grown in the depths of the Tronҫais forest. Delicate notes of Livarot glazed with an orange reduction and textured with toasted coconut shavings. Distinct aromas of cinnamon and ulster cherry, foxtrot in time with tangs of vanilla and brown sugar. Balanced, approachable wood zests meld charmingly with the finish of figs and Allegheny plums.
- Volks Brau Oktoberfest Ale : Small batch Oktoberfest made with Dark Munich and Pilsner Malts.
- Ramstein Dunkel Hefe-Weizen : Creamy head and smooth carbonation complement its deep mahogany color. Bouquet teems with chocolate, apple and clove. Roasted malts intertwine with Tettnanger hops creating a depth of complex flavors. Smooth roasted malts and dark caramel leads to clean finish – unlike any other dark wheat beer.
- Extra Extra Juicy Bits : Brewed with more than 12.5 lbs per barrel of Citra, Mosaic, and El Dorado hops, Extra Extra Juicy Bits epitomizes excess. And yet, against all odds, this absurdly hopped Double IPA manages to find balance, thanks to the soft, creamy mouthfeel and smooth finish contributed by the white wheat malt, flaked oats, and flaked wheat. added. With notes of tangerine, pineapple, passion fruit, mango, peach, and grapefruit, Extra Extra Juicy Bits is bursting with so much fruit juice character that it makes you question whether or not actual fruit was added. But there is just enough bitterness to keep the beer grounded and remind you that it’s a Double IPA.
- Baby-Maker : Baby-Maker, while Irish at its roots, has influences from all over the beer spectrum. This medium to dark colored ale is slightly malty sweet with a delightful roasted finish. No parent admits they have a favorite child, but here at Iron Duke the Baby-Maker holds a special place in our hearts.
- Mil's Pils : Well-balanced with complex malt flavors that carry strong bitter notes without a harsh finish.
- Bolo Coconut Brown : Dense forests demand sharp blades. Worn, torn, chipped or rusted, the Bolo shepherds the path. Later still, this tool of ancient times takes on the tiring task of harvesting the hidden fruit of the tropics. Behold the complexity of simplicity, a clean brown ale rife with 9 barley malts, oats and brown sugar. Gasp at the profound aroma produced by a hefty addition of real coconut. Enjoy an aroma that reminds you of tropical granola with a smooth maltiness that hints at chocolate and nuts. Baked in our kettle, cured to perfection.
- Farmer Brown Ale : This nut brown ale is mildly hopped to allow dark crystal, chocolate, and biscuit malt to dominate the flavor of this malt brew. A robust, rich, and nutty ale dominated by true malt flavor.
- Dosvidanya : Like a Russian Matryoshka or 'nesting' doll, the secret of Dosvidanya® Russian Imperial Stout lies locked deep within her mysterious & elaborate wooden layers. The hidden soul of this oak bourbon barrel-aged beer that we said Dosvidanya ('goodbye') to several months before revealing, is its rich flavors like dark chocolate, toffee, black cherries and coffee along with robust & roasty maltiness that finishes dry.
- Poor Yorick : A dark mild style beer. Smooth, balanced bitterness with hints of chocolate. Served at cellar temp.
- Bourbon Barrel Rye Porter : Rich and chocolaty robust porter brewed withGerman rye malt, lending a spicy and nutty flavor. Aged in Knob Creek bourbon barrels for 100 days.
- Short's Huma Lupa Licious India Pale Ale : Named after the hop flower Humulus Lupulus, this India Pale Ale style beer has enormous amounts of hop bitterness, flavor and aroma. With a very complex malt bill, flavors seem to meld with the hops to balance this ale and provide a ridiculous urge to sample more. 
- Nicie : Nicie is an American Wheat Ale brewed with orange zest, lemon zest, coriander, and a hint of peppercorn. Orange-gold in color and light in body, Nicie is infused with the scents and flavors of fresh citrus. The subtle taste of coriander and spice of peppercorn makes this ale both refreshing and complex. Nicie is the perfect accompaniment to a summer day.
- Abita Select Belgian Saison : Our Saison is made with pilsner and white wheat malt. Although this gives the beer a light color, make no mistake: it is a fullbodied brew. We hop and dry hop this beer with Cascade and Sterling hops from the Pacific Northwest. This gives the beer a spicy and citric flavor and aroma. We also use a traditional Belgian yeast, which imparts a distinctly fruity aroma. Finally, we spice the beer with white pepper and a combination of orange and lemon peels. This is done to accentuate the flavors of the hops and yeast. The Saison is unfiltered, so it will still have yeast in the beer and be slightly cloudy when poured.
- Štěpán - český Klasický Ležák Tmavý : Unfiltered, unpasteurised pilsner style dark lager with full hoppy flavour, accepted often even by those who otherwise don´t prefer dark beers.
- Juicy Killer Crisp : After brewing up the Killer Crisp on the big system, the Bros took the first runnings and infused over a dozen citrus fruits on a smaller scale. Bursting with tang and zest, this juicy Imperial Pilsner is a fresh spin on the noble Crisp. 7.6% ABV.
- Barrel Roll: Galaxy Gardens : Galaxy hops hails from the Southern hemisphere and are best known for their distinct notes of citrus, peach, and passion fruit. To create Galaxy Gardens we blended local orange blossom honey into white wine barrels of nine and eighteen month old sour blonde ale, allowing the honey to ferment to dryness. Just before packaging, heaps of Galaxy hops were added to each barrel. The big, fruity punch of the Galaxy dry hopping gives way to the sour funk of the base beer, and the delicate, floral notes of the honey extend throughout. We recommend enjoying Galaxy Gardens fresh while the delicate hop aromas are at their peak.
- South Bend Shovel Slayer : New School IPA dry hopped with Calypso and Warrior Hops, resin notes with fruity finish.
- Barrel 32 : This dark ale has a clean acidity balanced by rich malts and a distinct French oak character. Matured and refermented with wild bacteria and yeast in a wine barrel for over two years.
- Cygnus: Blackberry : Cygnus: Blackberry began as our 3-year blended coolship ale made using malted barley, unmalted wheat, and oats. Each batch was made using a coolship and allowed to cool overnight, while cooling, airborne wild yeast and other microbes inoculate the wort and are eventually responsible for 100% of the fermentation. The beer is fermented and aged in neutral oak barrels for 1-3 years, then blended and refremented on 3.5lbs/gal of blackberries for an additional 2 months. Heavy blackberry on the nose and a light effervescence with a tingling sourness on the finish. Each sip leaves you eager for the next. Fruit character may diminish over time, so enjoy fresh for full fruit flavor and aroma.
- Dam Dark : Formerly Dark Horse Lager
- Silly Scotty : Brewed for a beer brunch in cooperation with our friends at Kemp's in Lexington, we have fond memories of fruity breakfast cereal at brunch so we decided to combine our love of cereal and hoppy, hazy IPAs. The result is this fluffy fruit bomb.
- Sun Block : As the sun starts to peek out from around the dark winter clouds, it is a clear reminder that brighter days lie ahead. Deviating from the original recipe, this new and improved Sun Block comes with a little more oomph in flavor, but still has that great summertime body.
- Global Kölsch : Brewed with malt and yeast from Cologne, Germany, this hybrid ale is slightly fruity like an ale, but fermented and cold conditioned like a lager.
- Short's Soft Parade : Soft Parade is a Fruit Rye Ale brewed with rye flakes and loaded with pureed strawberries, blueberries, raspberries and blackberries. The rose colored ale has aromas of ripe strawberries and grain. With flavors of fresh berries and rye, Soft Parade finishes dry and eminently drinkable.
- Beer Trumps Hate : With orange, lemon and grapefruit peel.
- Mass-Hive Double IPA : Brewed in collaboration with Massey Honey Co., this Double IPA is brewed with 60 lbs of local Orange Blossom Honey. Copious amounts of Mosaic, Amarillo, Galaxy, and Crystal hops contribute to notes of papaya, lemon peel, pine, stone fruit. With a very balanced bitterness and medium to light body, Mass-Hive is so refreshing there is no doubt you will bee hoppy!
- Passionate Purser Wheat : Just in time for summer this American wheat isn't so traditional with an addition of fresh passion fruit. We promise, this Purser will be your passion, get it while you can. Limited release.
- Laurel & Hearty : Laurel & Hearty illuminates the senses with intense notions of herbaceous pine, dank earth, and subtle underpinnings of rye. On the palate, Simcoe lupulin, Denali, and Columbus hops combine forces to produce bold flavors redolent of resinous ruby red grapefruit. Sufficiently dry and thirst-quenching, Laurel & Hearty will undoubtedly prove to be an IPA designed for summer.
- Embrace The Funk - Caribbean Daydream : 100% Brettanomyces dark red ale aged in 30 year old Rum barrels with Mangoes and Pink Guava.
- Old Country Alt : This German style Alt beer takes its name from the "old" method of fermentation-using ale yeast. Old Country Alt has low fruity esters often associated with ales, a dry, toasty malt character, medium body and a lingering bitterness.
- LAger : Angel City Lager is a delicate, slightly sweet honey grapefruit lager, with a strong citrus aroma and subtle tart bite.
- Cellar Society - LO3 : Instinctive Travels, our ever-changing dry-hopped saison, has gone through many iterations. In this version, it's dry-hopped with Hallertau Blanc and Mandarina Bavaria, then aged gently with Brett and Lacto in Old Tom gin barrels from our friends at Ransom Spirits. Some of you will recall the area of the barn where we have our cellar was formerly home to Francois Freres D’Oregon (now called Oregon Barrelworks and based nearby), a Burgundian-funded, traditional cooperage in which local barrel maker Rick De Ferrari crafted ultra high quality barrels from Oregon oak. (Back in 1995 I worked as an assistant to Rick, splitting oak trunks and stacking staves for air-drying for a summer. It’s fun to know that one of the barrels Rick coopered was used to age this brew.) It’s got the complexity of traditional, spicy saison with the juicy, tropical overtones of high-alpha hops and fragrant, juniper-y Old Tom Gin.
- Nut Brown Ale : The traditional English fermentation process is alive and well with our Nut Brown Ale. In it, we paired the strength of Northern England’s brown ales with the darker hue of their southern counterparts.
- Smuttlabs Pure Biss : This unconventional witbier gets its swerve from the contributions of Chef Jamie Bissonnette. Instead of the traditional coriander and orange peel, Jamie brought kaffir lime leaves, spruce tips and 25 pounds of grapefruit zest to the brewday. The rest of the ingredients are appropriate to the style.
- Brick Alley Brown : The CoStar brew dog, the chocolate lab mix, Foozer, inspired this nicely malty brew. Foozer can traditionally be found sunning himself on the bricks of the CoStar Alley even if it is 100 degree air temps. He’s nuts, which is reflected in the nutty maltiness of this brown ale. Brick Alley is a smooth, full bodies representation of the style with a XXXX hop accent. It starts and finishes lush and full with a great balance of sweet and bitter. You’ll enjoy it as much as Foozer loves the Brick Alley
- Prickly Pear Wheat : Prickly pear, grown and harvested locally by the Arizona Cactus Ranch, graces our well balanced wheat beer with it’s unique flavor of cucumber and melon. Our prickly pear wheat is a light bodied, refreshing ale with a great wheat flavor and subtle nuances of citrus fruits like lemon and grapefruit.
- Hazelnut Creme Stout : This beer has generous amounts of flaked oats, chocolate malt and roasted barley giving it a complex body, creamy mouthfeel, and pours with a thick tan head. Fresh brewed hazelnut coffee is added prior to kegging. Not too heavy, not too light, this beer is perfect.
- Vagabond Ale : With only 500 bottles made, this beer is from one of the only barrels to move with us into our new brewery three years ago. Aged four years in American oak barrels, it boasts a complex aroma of maple syrup and port, with background notes of marzipan, plum and dill. Flavors of tart, unripened plum and caramel give way to a warming, toasted almond finish.
- Unicorn Hearts : Mixed-Fermentation raspberry dark wild ale.
- Complete Darkness : Darkness falls across the land...
- Forb & Barb : Aged in Funken City barrels, this beer perfectly blends the sweetness of strawberries and the tartness of rhubarb. It uses a hefeweizen yeast paired with barley and wheat to create the smooth backdrop for the fresh fruit. The nose is immediately sated with sweet strawberry. A bold tartness lies on the first sip, leading the second into a myriad of fruity, tart, sour, mineral goodness. Rhubarb comes through mid-body while strawberry overtones carry throughout.
- Milk Stout : Lactose adds a subtle sweetness and fullness of body to this dark stout. Think baker's chocolate.
- Muriqui : Muriqui is our first attempt at a double digit San Diego Pale Ale. It is a true kitchen sink beer. We used 9 different hops and the layers of flavor created are wonderful. Citrus driven with mild bitterness, this beer starts off with a hint of body and fruit and finishes dry but not astringent. The beer will evolve throughout the next few batches but we are very happy with this deceptive ale.
- Saison In The Key Of Life : This saison was fermented in a foudre and finished in wine barrels with our house saison strain and various strains of Brettanomyces and bacteria. Notes of tropical fruit, kumquats, citrus rind, golden plums, white grape, and Brett. funk, with a dry, ever-so-slight tartness in the finish.
- Farmstand Ale : The first beer fermented with a new yeast culture collected this spring from our raw honey comb. In order to showcase the subtle complexity of this new yeast strain this ale was brewed with a light NY base malt and almost no hop presence. Aromas are hay, lemon, musk. Flavor is subtle with slight fruit, then grain. A slight acidic tartness & prickly carbonation make this low ABV (4%) beer pretty damn crushable.
- Citra IPA : We like to call this one Sunshine In a Glass … or Sunshine In Your Belly because it won’t stay in that glass long. Our Citra IPA is designed to be light and bright in both color and body. Your first sniff will elicit images of tropical fruit and citrus thanks to a healthy dose of Citra hops. Enjoy a pint of this and you might just find yourself gazing skyward, pondering how in the heck sunshine made its way into your glass. 
- Pisgah Cosmos : Pisgah's tribute to the Belgian tradition and our home-brewing roots, this recipe comes directly out of Dave's old homebrewing notebook. We combine the rich flavor of a Baltic porter with the subtleness of a special Belgian yeast strain, imagine bananas dipped in dark chocolate liquified in your beer glass. Honor tradition, Respect beer.
- Attic & Eaves Toasted Brown Ale : An autumn brown ale with distinctive toasty flavors from an assortment of roasted malts and grains. As a seasonal, limited release beer, its nutty characteristics offer a great companion to colder climate cuisine. A bright hop finish from Cascade and Fuggles balance the toasted grain notes to create a new expression of autumn brown ales.
- This One Goes To 11 Ale : This One Goes to 11 Ale opens with bright, juicy aromas such as tropical fruits & ripe cherries, largely derived from massive kettle & dry-hop additions of Southern Hemisphere hop varieties such as Galaxy, Motueka, and Summer. The citrus & resinous pine notes of the Pacific Northwest hop family are also well represented, making their presence known through Simcoe, Citra, and the newly released Mosaic varietal, just to name a few. A wide range of specialty malts anchor the hops to this Imperial Red Ale, contrasting the assertive bitterness & juicy aromatics with a robust, toasty depth of flavor. Fermented with Bell’s signature house ale yeast, This One Goes to 11 Ale finishes with a lingering warmth.
- Grand Cru : This beer exemplifies the best Upstream has to offer. It is the same beer as the Tripel, but the special Belgian yeast (the same yeast responsible for the unique character found in Burgundy wines) added during maturation lends a distinct earthy character to the beer. The aroma displays a strong earthy character, and the flavor shows off the complex blend of citrus, honey and oak.
- Hc Svnt Dracones : Here be Dragons, that is what that means. You'd find this phrase on old maps, beckoning seekers of unknown areas to steer clear. Don't do that with this beer, drink it now, fresh, in all of its lupulin splendor. Soft bready malt backbone and layered with fruit rich hop flavors like pineapple, blueberry skin, citrus, and dried strawberries. There is an easy herbaceous hop nature as well, sappy pine resin like. Be warned though, it is sneaky smooth.
- La Flor : Foeder aged golden sour ale, re-fermented on nearly a ton of California grown red plums. La Flor exudes intense stone fruit aromas, balanced acidity, and a wonderful drinking experience.
- Fated Farmer: Peach : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: Build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel fermented in 500L puncheons with our Native New England Wild Culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- Nickel Brook Continental Drift : Continental Drift is the movement of the world's continents relative to each other. In honour of this phenomenon, we bring together Europe and North America with our 'Continental Drift' Belgian Pale Ale. We utilize the spicy fruitiness of Belgian yeast and enhance this with the tropical, dank resins of American Amarillo and Columbus hops. The result is a remarkably refreshing and flavourful combining of forces that will move your world. Tectonically Awesome!
- Squatters Black Forest Schwarzbier : This tasty dark German lager is brewed with Pilsner, Munich, Special B and black malt hopped with 100% German Noble hops. Squatters Schwarzbeir has smooth roast undertones and is lightly hopped, leaving us with a malty delicious lager.
- Nut Brown Ale : A malty sweet ale, with a nutty, toffee flavored finish.
- Scratch Beer 207 - 2015 (Pale Ale) : Assembled of Bravo, Cascade, Crystal and Mosaic hops, Scratch #207 explores the vastness of the humulus lupulus spectrum – all the way from earthy and spicy to ripe and fruity. Standing front and center is the Mosaic hop, an American variety rife with bright citrus and juicy tropical fruits.
- Fluffhead : Fluffhead is a fruity, hazy IPA that balances a soft malt body with copious dry hop additions. Flaked oats, English yeast, and special water treatment produce a fluffy, round body. Generous late addition hopping with Mosaic, Chinook, and Azacca delivers pungent notes of tangerine, papaya, and spruce. Fluffhead finishes silky smooth, with just a hint of balancing bitterness.
- Black Nitro IPA : A well-hopped, dark IPA served via nitrogen for a thick, aromatic head thanks to fine bubbles from a blend of nitrogen and CO2. A medium-sized IPA hopped with Chinook, Falconer’s Flight, Simcoe, Citra and Cascade.
- Another Round: Pacific Ale : Pacific Ale is an India Pale Ale filled with fresh honeydew and sweet nectarine aromas. Its delicate balance between fruit and hops sits nicely with a medium to light body. Sweet melons, mint and strawberry are all present in this hop-forward dry IPA that is perfect for outdoor summertime indulgence.
- Le Champ : Le Champ is French for field, while saison is named after the seasonal laborers in the French speaking region of Belgium; known as Wallonia. Brewed to be dry and yeast driven, this beer is very complex with strong impressions of clove and stone fruit. The body of this beer is remarkably balanced given its dry finish and bright acidity. Our saison is brewed using a dual-strain yeast culture which provides all the earth and spice of a traditional Wallonian beer, as well as containing contrasting notes of fruit.
- Small Bird Series: Tiny Chicken : With the New England summer fast approaching we release Tiny Chicken, another edition in our Small Bird Series of lower ABV, hazy pale ales. Deceivingly diminutive in name, Tiny Chicken packs a hoppy punch with a powerful combination of Galaxy and Amarillo. Engaging aromatics pop with notes of bright citrus and peach, while flavors of tropical fruit, melon, and orange sweep over the palate in refreshing waves. Finishing crisp and dry with slight earthy/spicy grain character from the use of locally malted wheat and Danko rye.
- Scratch Beer 99 - 2013 (Witbier) : For Scratch #99, we’re revisiting the blissful world of the Belgian-style Witbier, or white ale. This beer typically features a blend of wheat and barley along with spices and Belgian yeast to create a refreshing and complex flavor. With a dense haze from the red wheat and a foamy white head, Scratch #99 incorporates subtle tartness and a delicate orange aroma that complements the spices and the LaChouffe yeast. The finish is dry and crisp.
- Citrus Queen : Bursting with grapefruit flavors along with dry hopped Citra and Mosaic hops.
- Mega Fortunate Islands : This beer is a 1-2 punch of Citra and Amarillo, with notes of mango, tangerine, and poha berry wrapping up in a bone dry finish that’s like swimming naked in a pool of fruit juice and then drying off with a cashmere towel.
- Monkey Brown Ale : Our Monkey Brown is dark golden in colour. This beer has a gentle sweetness, with a nutty character. Balance is nearly even, with low hop flavour.
- Pork Soda : "**Chef Collaboration Series** Brewed with the crew from Longman & Eagle. Golden Belgian Double IPA with a fruity aroma and hint of pine. Dry-hopped with Citra and Simcoe hops."
- Thunder Canyon Obsidian Porter : A medium bodied porter, dark brown in color with a ruby red hue and flavors of chocolate and roasted coffee.
- Five (#5) : "Five is a farmhouse pale ale that was born after enjoying a few small production European brews that use a heavy hand of hops. Ours blends several Mt. Angel grown varieties to create a deep and complex flavor with an underlying earthiness. Pale fruit aromas created during the fermentation brighten the profile and bring the beer balance."
- Russian Imperial Stout : Our Russian Imperial Stout is initially matured for a minimum of two months then bottle by hand, straight from the bright tank in our Canberra brewery. An opulent brew offering deep flavours reminiscent of dark dried fruits followed up with hints of mocha and berries. Cellar for up to five year.
- Tree Beer : Dark Sour ale mashed on Spruce & flowering Apple branches and aged in second use Rye Barrels with Local Maple Syrup. Sharp, Tart, Dry, with aromas of cola & raisins.
- Purple Present : A saison blended with spontaneously fermented nebiollo grapes. Fruity, tart, lightly funky, kinda purple.
- Cellar Series: Pime Öö PX : A special edition of Pime Öö (The Dark Night), this one is aged for 6 months in Pedro Ximenez sherry barrels.
- Seas The Day IPL : Seas the Day IPL is a mildly hazy, hop forward India Pale Lager. Big citrus and passion fruit aromas lead into a full-bodied, easy drinking golden lager with an intense hop bite.
- Ginger Doodle Stout : Doodle Stout infused with root ginger which provides a subtle ginger flavour and tempers the bitterness a little to create a complex stout that develops in the mouth.
- Jolly Russian : Bridging the Baltic and Caribbean Seas, Jolly Russian is a rich Russian Imperial Stout stowed away in Rum Barrels for aging. Dark as night and thick as the raging sea, this brew boasts notes of coffee and cocoa with waves of oak, spiced molasses, dried fruit and vanilla from the planks. It’s dangerously delicious!
- Paradisiac : We brewed this beer with the man, the myth, the legend, P. Adam Vavrick, beer manager at Binny's LP. It's a wit beer brewed with lots of juicy strawberries and pounds of tart, tangy kiwis. It's a great summer fruited beer. Paradisiac was originally brewed as a one-off for an event at Norse Bar, but we liked it so much we're making it for a second time. This beer is named after Adam. Lots of people don't know this, but Adam's first name is really Paradisiac. Ha! We're kidding. But it is named after one of Adam's favorite songs.
- Sherpa's Survival Kit : Black with a thick espresso foam. Cocoa, baking chocolate and rich nutty coffee waft from this complex stout. Flavors of brownie batter and fresh ground coffee complement the rich array of specialty roasted malts. This stout finishes smooth and medium dry with assertive bitterness.
- Huki Idol : Bust out your favorite tiki mug and make an offering to the Huki Idol. This juicy, double IPA is brewed with real passion fruit and lime juices, then dry-hopped with lush Mosaic hops and fresh mint. The result is a godlike grog that packs a wallop of tropical flavor. 'Okole maluna!
- Amber Ale : Amber beers are a style that fall between light pale ales and brown ales. They are generally categorized as pale ale. This beer is dark amber in colour, has traces of citrus in its aroma, and one can pick up hints of caramel and coffee in its full bodied flavour. Though it is fairly well hopped, the robust character and complexity of this fine amber turns it into nectar of the gods that no serious beer drinker should pass up.
- Orgone Accumulator : Hazy and pale golden, there is a backdrop of orange character, slightly bitter and tangy, that follows with each sip. We brewed this farmhouse ale with 240 lbs. of organic valencia oranges, which we zested and juiced ourselves by hand! To further accentuate the fruit character of this saison, we fermented it with a blend of our two favorite farmhouse ale yeasts, which add notes of lemon, tart peach, and black pepper. Subtle, easy drinking, and refreshing, enjoy this with friends during these final days of summer.
- D2H3 - Pacific Jade : D2H3: Pacific Jade is the newest iteration of our Double Dry Hopped HopHands series. For this beauty, we took our exceedingly aromatic American Pale Ale and gave it a secondary dry-hopping dose of hyper fresh and luscious Pacific Jade that specifically hand selected by Jean & Co. in New Zealand during the last harvest. We are super excited to have this hyper fresh Southern Hemisphere hop back in our brewery... it’s super bright and tropical... kind of like a cross between Motueka/Cascade/Nelson! Radiating with notes of sticky grapefruit rind, fresh ocean air, drippy papaya, cacao pod juice and Douglas fir.
- Jamaican Lager : A light fruit beer blended with hibiscus.
- Green Man Porter : Dark, full-bodied, and rich in flavor, Green Man Porter is wonderfully easy to drink. It offers a creamy, smooth mouthfeel and finishes with distinctive chocolate notes. This traditionally crafted, award-winning British-style Porter, like a true rock star, enjoys a legendary following.
- Much Appreciated : Much Appreciated, a double version of our beloved Appreciation, aged twice as long with twice the fruit. This jammy, vinous ale was purposefully carbonated low to accentuate it's wine-like characteristics.
- Weendigo Imperial Stout : Gold medal winner at the 2015 Canadian Brewing Awards, this is the king of stouts. Aged for almost six months in Wild Turkey bourbon barrels, this velvety, rich, and roasty brew is ideal for the cold nights ahead. Clocking in at 10.2% ABV, Weendigo is warming, but not harsh- the whisky and oak flavours compliment the luscious roasted malt character, providing incredible complexity.
- Charlie : Charlie features tropical fruit notes of melon, jackfruit, and pineapple with a floral and slightly grassy finish. We aimed for higher attenuation with this release to achieve a more dry and crisp mouthfeel. HOPS: Citra, Southern Passion, Simcoe, African Queen, Amarillo, and Centennial.
- Hop Savant - Galaxy : Primary fermented with Crooked Stave’s mixed culture of Brettanomyces yeast and then received over three pounds per barrel of Galaxy hops, a varietal known for its distinct citrus aroma and stone fruit characters.
- Smoked Porter : A complex beer with layers of flavors unfolding as this it slides down your throat. Before the introduction of indirect-fired malt kilns, all beers had a smoky flavor. Today only a handful of brewers produce beer reminiscent of those of the past. We use imported German smoked malt to add depth and complexity to our Smoked Porter.
- True Story : How do you design a dark beer to be light yet still interesting? We think we achieved it with this beer. We brewed this brown porter with a plethora of specialty malt but achieved a lighter body and flavor than most porters. Late additions of Molasses and Smoked Sea Salt added some complex flavors and an elevated fermentation temperature provided some fruit forward notes that we think work well together. 
- Dark Saison : A dark saison fermented in a 500l merlot barrel, which gives the beer a wonderful chocolate notes.
- Bluejacket / Struise Bombshell : Dry & Balanced Belgian Blond Ale. Fermented in our Open fermentation Vessel. Characteristically Aromatic with Floral, Spicy & Brightly-Fruited Notes. Brewed in Collaboration with De Struise Brouwers (West Flanders, Belgium) at Bluejacket in Washington, DC.
- Fading Light : Fading Light is a dark ale, layered with caramel and toasted malts, and aged for over a year with Brettanomyces. Flavors of dark fruit blend with notes of coffee and chocolate over a rich, earthy background. We hope you will raise a glass with us, celebrating the cycle of the sun’s fading light and the promise of its return.
- Oak Aged Big Hoppa : A monster of a double IPA. A blend of Bold American Hops create an amazing complexity. Finished with whole leaf hops, then aged on oak for a beautiful balance.
- Steven's Session IPA Grapefruit Radler : Steven's Session IPA mixed with grapefruit puree.
- IPA : Our brand new single-hop IPA is a splash of sunshine with bright citrus notes and a hint of herbal spice, balanced with a smooth and slightly fruity malt base. A refreshing and highly drinkable IPA, bring this one along on your next adventure!
- Perpetual IPA : At Tröegs, artisanal meets mechanical in a state of IPA we call Perpetual. Cycling through our HopBack vessel and dry-hopping method, this bold Imperial Pale Ale emerges rife with sticky citrus rind, pine balm and tropical fruit.
- Miette : Bourbon barrel-aged Flanders Red. Miette is brilliant amber with a rustic brown color. The oak on the nose opens up into sweet citrus, sour cherry and vinegar notes. Transitioning into complex citrus, caramel and spice notes abound. Silky smooth, with a long satisfying tail of sweet bourbon.
- Sow Your Oats Stout : Our most complex brew with seven different types of barley and oats. This is stronger and hoppier than Tarbox, with the oats imparting a well-rounded mouthfeel.
- Berber Cerveza Oscura (Stout) : Dark, creamy, full-bodied, its caramel and black malts give beer a deep, dark color and pronounced roasted flavor.
- All-In Amber : All-In Amber is a traditional English ordinary bitter. This beer is low in alcohol so it can be consumed in quantity. A truly balanced beer, both hops and malt are evident in each sip. This Amber ale is dry-hopped and employs an English yeast strain with slightly fruity notes. The alcohol content of All-In is 3.9%. All-In Amber is a signature beer of Cory Buenning.
- General Sherman’s : Don’t be afraid of this dark beer. It is a full flavored Southern Style Brown Ale but has a smoothness and easy drinkability. Roasted malt gives it a nice chocolate and coffee flavoring. It gets its name from the Texas General in which the city of Sherman was named after.
- Panda Bear : New England styled APA brewed with oats. Aromas and flavors give way to ripe orange, grapefruit peel and resin
- English Mild : This beer starts nearly identical to our Nut Brown Ale, however we designed it to resemble the great, draught, pub beers of England. Dark brown in color, with a malt character resembling bitter chocolate and a hint of raisins, this very lightly hopped beer is low enough in alcohol to be enjoyed in a true British “session.”
- 3 Floyds / Half Acre Anicca : Brewed with our friends at Half Acre, Anicca IPA is single hopped snake juice showcasing the Mosaic hop, a plant throwing off a cornucopia of fruit flavors. Bitter sweet and full of force, this IPA bends your brain into a tropical storm of writhing glory.
- Maine / Lawson's Finest Liquids - Time I : A hoppy American dark ale incorporating New England-grown barley, wheat, rye, and whole cone hops. Special thanks to Valley Malt for malting up the special batch of local Chocolate Rye and Crystal Wheat.
- The Expat : A contemporary take on the modern French classic. Malt-driven notes of toffee, almonds, dark bread & golden raisins spiked with elderberries & a hint of elderflower.
- Fluxion : Fiction's cousin, this Belgian XPA showcases the newer German varieties of Hallertau Blanc and Huell Melon to offer up notes of white wine, honeydew melon, honeysuckle flowers, and light tropical fruit.
- Chocolate Pecan Pie Stout : Chocolate Pecan Pie Stout is the latest release in our #pastrystout series, featuring recreations of some our favorite desserts. CPPS is an Imperial Milk Stout brewed with lactose, toasted and candied pecans, cacao nibs, baker’s chocolate, and a hint of graham cracker. Decidedly sweet, yet surprisingly drinkable and incredibly complex, CPPS opens with a huge burst of rich, milk and bittersweet chocolate, lending way to caramel and pecan notes, with a pleasant nutty and biscuity finish from the graham cracker. Rich, decadent, creamy, flavorful and the perfect dessert beer to pair with your holiday feasts.
- Double Milkshake IPA - Peach : Peach Double Milkshake IPA is the natural extension of our precious Milkshake IPA series. Brewed to 9.0% abv and conditioned on twice the amount of luscious fruit and vanilla beans. Contains lactose! =)
- Port O' Call : Aged in port barrels for the past six months, this Belgian Style Dark Ale developed a vinous character blended with toffee and caramel malt notes. With a distinctly Belgian nose, Port O’ Call pours a dark copper with a creamy head accenting spicy yeast with hints of clove and banana.
- Dark Heron : https://www.fremontbrewing.com/dark-heron/
- Depth Perception : Brewed in collaboration with our assistant brewer Anthony Sorice and a brewery in planning Root + Branch Brewing. Brewed with American malted barley, wheat malt and flaked oats. Hopped with a blend of American citrus forward hops. Fermented with our house ale yeast strain. Double dry hopped. Features prominent notes of grapefruit and candied orange with undertones of stone fruit and sticky pine.
- Cranberry Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We ferment the base beer with 60% wheat in large oak foeders for several months. Fermentation duties are shared gracefully between our house lactobacillus strain and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the foeders to “soak” for a deep extraction of unique colors, aromatics, and flavors and a refermentation. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Cranberries bring an assertively tart, yet unsweetened flavor profile, slightly opaque warm peachy red hue, and re-enforced tannic structure. Cranberry Soak presents aromas of cranberry concentrate, subtle cherry, and slight leather. A dry cranberry palate with undertones of oak, almonds, and a lemony tartness w/ medium acidity.
- O'Briens 22nd : Dry Hopped English Pale Made for O'Brien's Pub in Kearny Mesa, this nutty beer is dry hopped with Zythos giving it a black tea and lemon after taste.
- Millennium Buzz Hemp Beer : Millennium Buzz Beer is a hemp-based red lager made with the finest B.C. hemp, dark roasted Alberta malt and choice German hops. It's cold-filtered with no preservatives or additives. This healthy mix of pure, wholesome ingredients - plus the natural goodness of hemp - accounts for its singularly clean, smooth refreshing taste.
- Alt : Dark brown in color, this Northern German Ale acts more like a lager than an ale. It has subtle malty and grainy notes on the nose, with no hop aromas. It has an extremely smooth and balanced flavor. It is light to medium bodied despite it’s dark appearance. I challenge you, “I only like light beer” drinkers to try this amazing beer.
- The Great Return : Bold, resinous and bursting with bright grapefruit aroma, this IPA is a tribute to the decades of hard work by conservationists to restore the James River as a bounty of vibrant aquatic life, eco-friendly recreational activity, and in our case, fresh brewing water. These efforts have culminated recently with the symbolic return of the endangered Atlantic sturgeon, a prehistoric, yet majestic behemoth of a fish, spotted as far up the James River as the fall line in Richmond. Your purchase of this beer supports the James River Association. Thank you for being a part of The Great Return.
- Dubbel Impact : Brewed in the original style of a Belgian monastery, this mahogany ale has the sweetness of dark Belgian candi sugar paired with the distinct aroma of plum, fig, pear, and spice.
- Peak Organic King Crimson : King Crimson is an Imperial Red Ale that delivers a royal bounty of luscious, fruity American hops on top of a sturdy, deep red malt backbone. This beer is lavishly dry-hopped with Simcoe, adding a citrusy and piney flavor and aroma to the toasty, sweet malt notes. This special treat is a very limited Winter release, so enjoy it while you can!
- Peach Super Soak : Super Soak: our Soak series amped up with a bigger malt bill, increased ABV, and twice the amount of fruit as Soak. While still sour, the higher ABV in Super Soak serves to moderate the lactic acid formation.
- Four Paws : This Belgian Quad has a rich malt flavor with a nice round sweetness. You will taste some notes of dark fruit and figs with little to no hop presence.
- Rye Barrel-Aged Old Disheveler : Aged in a Koval Rye Dark Dye Whiskey barrel for 9 months.
- Great Crescent Dark Ale : This Dark Ale is brewed using 6 malts including darker malts like Dark Chocolate Malt, Dark Carmel, Roasted Barley and a touch of Cherry-wood Smoked Malt. It is very well balanced; the hops and a light smokiness come through in the finish. This recipe was developed by the fine team at New Abanian Brewing Co. in New Albany, IN and has historical roots in Indiana brewing.
- Schlafly Sour Blonde Ale : This clean citrusy refreshing ale contains no fruit, but is very tart. 
- YouEnjoyMyStout : THE CROWD GOES WILD! A smooth bass line of roasted notes establishes the deep end beneath arpeggios of complex chocolate malt, while power chords of caramelized grain open up to an extended malty jam. Black barley teases treacle character and wades into a velvety sea of oak-derived vanilla and toasted coconut tones. Sustained improvisation of fruitiness modulates to an intense finale, and encores with a rich, espresso-roasted reprise, a capella.
- Vesper's Nine : A classic milk stout. We start with an English base malt along with a blend of dark roasted malts that lead to complex flavors of bakers chocolate and espresso. We then use a hefty portion of oats and milk sugar (lactose) for a smooth mouthfeel and some residual creamy sweetness. 
- Spring Loaded : A light malt bill allows the hops to shine in the Single Hop Extra Pale Ale. 100% hopped with Vic Secret, a new hop variety from down under, Spring Loaded is packed with aroma and flavors reminiscent of pineapple, pine, and passion fruit.
- Assailant Double IPA : The color of a sunset and aromas of citrus and tropical fruit. Dry-hopped with Centennial, Citra & Crystal hops.
- Divine Sublimation : A strong, smooth devilishly delicious beer that may have the ability to sublimate matter. Fruity, spicy and effervescent. 
- Lil' Heaven : A session IPA in a can. Made with four exotic hops - Azacca, Calypso, Mosaic and Equinox. Taste is of tropical fruits, specifically passion fruit, grapefruit and apricots. Finishes with just enough toasted malt character to balance.
- Catherine's Resentment : Catherine II, the 18th century Empress of Russia is said to have been the inspiration behind the creation of the Imperial Russian Stout, an intensely flavored, robust dark ale with a noticeable alcohol presence. Legend has it that Catherine also had a voracious sexual appetite; she was known to have many lovers, but the story about the stallion was probably a myth. We’ve infused this round of our Imperial Russian Stout with a stiff does of coconut and habanero peppers, creating a smooth, spicy stout ale that even Catherine herself may have resented.
- Lavender, Sunflower Honey and Date Honey Ale (LSD) : The beer formerly known as LSD: A kaleidoscopic combination of Lavender, Sunflower honey, and Dates set the stage for a mind-bending beer experience as delicate floral aromas dance atop rich notes of fruit and honey. "
- Strong Ale : Our Strong Ale packs the punches and brings the heat! This medium bodied beer has a luscious malt complexity with caramel-like flavors. Balanced by its touch of alcohol flavor, Strong Ale is like a hit to the face from a bag of hops that might just knock you out!
- Celtic Ale : Harpoon Celtic Ale features a deep amber color. The flavor is malty and complex. Celtic Ale has a moderate hop finish that, along with the generous amounts of malt, makes for a medium bodied, smooth, rich beer. Try serving Celtic Ale with a hearty stew… the beer’s robust character will complement the bold flavors.
- Imperial Smoked Amber : This higher alcohol version of our Smoked Amber Ale was aged in oak barrels, lending an oaky and vanilla flavor to the Cherry Wood Smoked and nutty maltiness of a beer we call Southern BBQ in a glass. Enjoy this handcrafted ale alone or with a hearty meal. Compliments any smoked dish, or pair it with steak, fish or BBQ.
- Thunder Canyon Little DIPA : A full bodied dark beer that is hopped like an IPA. In other words - a dark IPA, or DIPA. A complex flavor of roasted malts, with a strong hop character.
- Space Poet : With this new Belgian-style release, we've married the classic fruity esters of a traditional Abbey yeast strain to a pleasant spectrum of fruity hops: dry-hopped with Galaxy, Hull Melon, and Mandarina Bavaria.
- Portsmouth Bière De Garde : This typical French “farmhouse” ale is big in fruity flavors, like apples & cherries, & balanced by a kiss of hops.
- Clairvoyance : Sunny summer is the perfect time for tart and sour beers (at least we think anyway)! This wheat beer is tart from an additional ferment with a Lactobacillus culture previous to the traditional ferment with, you guessed it, a Belgian yeast! This base sets the stage for the real star of the show, Clary Sage. Several acres of our farm are planted with this biennial for seed harvest, so during peak bloom we were inspired by its perfumery smell and created a beer to celebrate it. We procured the help of a couple little fairies to pick each and every flower that went into the kettle, lending their musky, peppery, pineapple-y aromas and flavors to this complex brew. Known for its calming and tension relieving qualities, enjoy the prized essence of Clary Sage in your next farm-to-glass beer!
- Vintage Olde School Barleywine : Straight from Sam’s personal stash, our wood-aged barleywine fermented with dates & figs ages with the best of ‘em – this vintage boasts notes of huge dark fruit & smoothing oak
- IPA : Five years in the making, our India Pale Ale is a modern take on the classic American IPA. With mammoth additions of Centennial and Citra hops, the lingering finish of tropical and grapefruit flavors and aromas will let your senses know it was worth the wait.
- Hop Swap - 2016 : Expect aromas of ripe papaya and marmalade thanks to Idaho 7, the perfect complement to the well-loved tropical fruit characteristics of Simcoe and Mosaic.
- Very Special Pale Ale (VSPA) - Cognac Barrel Aged : Cameron’s Very Special Pale Ale (VSPA) Cognac Barrel Aged is a unique, first time creation for the Brewery. Cameron’s VSPA is aged for six months in French cognac barrels. VSPA delivers a delicate fruity pear character, with an oaky flavor derived from long aging in toasted barrels. Cameron’s version of the pale ale style is brewed with warm fermentation with predominantly a British malt blend that is well balanced with specialty imported hops. Cognac is a variety of brandy that must meet strict legal production requirements to carry the name. The brandy must be twice distilled in copper pot stills and be aged at least two years in French oak barrels from Limousin or Tronçais. Cognac matures in the same way as whiskies and wine when aged in barrels, and most cognacs are aged considerably longer than the minimum legal requirement. The resulting flavor that resides in the oak barrels has contributed to Cameron’s VSPA Cognac Barrel Aged’s spectacular taste.
- Gewürtz Gebraut : Our pals in Germany make a refreshing thirst quencher from wine with the sweet herbal aroma of woodruff & often flavored with orange, pineapple & other fruity additions called May Wine. We want to be at that party! We’ve created a light, tart hybrid from barley malt & gerwürtzraminer must flavored with sweet woodruff, dried orange slices & fresh pineapple. The beer is gently soured with lactobacillus to be tart & refreshing while the lively carbonation tickles the senses with inviting fruity & herbal notes.
- Small Batch Baltic Porter Aged In Peruvian Rum Barrels : For close to four months, our smokey Baltic Porter was aged in 20 year-old, dark Peruvian rum barrels to make the perfect barrel aged porter. Several specialty roasted malts combine with black strap molasses to complement the cane sugar and rum flavor to create a well-balanced barrel aged beer.
- Dark Side Corruption : Dark Side Corruption is a barrel-aged dark ale brewed with roasted malts and sugars, providing flavors of rich stone fruit, chocolate, and caramel, tempered by the rich flavors of oak. This ale shows what is possible when you turn from the light, and embrace the seductive power of the dark.
- #hashtag Sportz : #Hashtag Sportz is a light-bodied, crushable ale, blended with electrolytes with aromas of fruit punch and a tart, sweet & salty finish.
- Secret Key : Secret Key, is fermented with a more expressive yeast than our normal house ale yeast. This yeast, which is new to us, produces esters of nectarine and melon which compliment the hops beautifully. For this juicy brew, we used Riwaka, Equinox and Amarillo. You would swear this beer is actually grapefruit and tangerine juice if it wasn't for the underlying pungent dankness that only hops and hop related flora produce. 
- All My Tomorrows : A modern interpretation of a classic farmhouse ale that celebrates American innovation. We kicked tradition to the curb, adding a generous amount of rye and American Mosaic hops to create a rustic Saison that’s earthy & fruity, with intense aromatics of juicy citrus.
- Hedge Witch : This outlandishly delicious DIPA is packed with a mega-dose of Citra & Amarillo hops, yielding a massively tasty beer, its hazy depths bursting with big, vibrant flavors and aromas of citrus, stone fruit, and tropical magic. Ready your palate for intense pleasure.
- Cherry Parliament : We initially matured this unique wild ale on Oregon Pinot Noir barrels. It was then moved into second use bourbon barrels with bing and lapin cherries from Hood River, OR, to provide tart and sweet flavors that marry with the mild oak and funkadelic yeast complexities.
- Rod's Best Bitter : A “special” drinkable bitter. Tasty malt sweetness balanced by a crisp finish from a unique combination of pacific NW centennial hops and English kent goldings hops. Complex and subtle.
- Sail Wit Me : Sail Wit Me is a Belgian witbier, or white ale, brewed with copious amounts of freshly ground coriander and juicy oranges. Spicy, dry, and fruity, this addition to our Shoreline Series will let your mind drift to months past and your palate drift to a second pour.
- Canticle : Brewed as if we were monks. This interpretation of the Trappist Dubbel is a myriad of aromatic, pilsner, and ruby malts with a late addition of Belgian Dark candi sugar and floral hops. A Belgian yeast strain is then allowed to run rampant by producing flavors of fig, plum, raisin, bread, cinnamon and clove. Dry, complex, and seductive.
- Off Black : The idea was what if we stained First Lager black with chocolate malt – a bit of a trick of the eye? But Off-Black became so much more than that. The color is truly deep, but a careful observer will see the softer tones of brown and red creeping in, thus the name ‘Off Black.’ The subtle roasty astringency of the dark malts interacts in concert with the styrian golding hops to give a refreshingly new palate to our take on a pilsner.
- Berry Wheat : Berry wheat is a light, fruity beer with a refreshing blend of wheat berries and our native West Virginia blackberries.
- DB Export Dry : The ‘80s were a dark time for New Zealand men. Wine had effectively replaced beer. So Morton Coutts set to work brewing a sophisticated lager that would give wine a run for its money. The result was Export Dry. Dry’s extended batch fermentation and long cool maturation process created a premium lager that did the impossible. Anyone can make a beer that is refreshing and anyone can make a beer that is full of flavour, but only Morton could brew one that did both. Thanks to its sophisticated taste, men could finally say no to wine.
- Death Trapp Door : Belgian Strong Dark Ale fermented on 250lbs of sweet cherries.
- CAP Porter : CAP stands for Cole Albert Porter. A dark brown porter with aromas of coffee and hints of chocolate. Strong roasted flavors with a tannin in the finish.
- Wee Heavy : Our Wee Heavy, also known as Strong Scotch Ale, is malty with just enough hop bitterness to balance the sweetness. Traditional English malts and Fuggle hops combined with an extended boil (over 3 hours long) creates a complex aroma and wonderful deep color with a taste of caramel and hints of dark fruit.
- Frucht: Mango : Welcome to Frucht, our land of fruited Berliner Weisse-style beers. Known for a tart flavor profile and traditionally low ABV, our German-style wheat beer gains even more funky notes and natural earthy-woodiness from fermentation in one of our twin oak foeder vessels – the largest known to be fabricated in this country. Each installment in the series features a new fruit, or Frucht, if we’re Sprechen sie Deutsch. This installment has mangoes added, which take the tropical and tart, juicy profile to all new refreshing levels.
- There And Back Again : A tale of a spontaneous fermentation, isolation, confiscation, rejuvenation, mutation, and finally perturbation. This sour American Wild Ale, is a collaborative effort with our dear friend Dr. Jason Rodriguez. We took our house “honey badger” mixed culture (no saccharomyces) and allowed it ferment over several months before dry hopping it with a touch of citra and galaxy. It pours a hazy golden yellow releasing bright notes of pink grapefruit, lemon, pineapple, and passion fruit. It tastes sour and juicy with similar notes as the smell.
- Fruit Vendor : The big pineapple and tangerine aromas will hit you first in this Double IPA, but with one sip, you'll experience a veritable fruit medley with a little bit of pine, wrapped around a soft, but present, malt profile.
- Interplanet Janet Galaxy IPA : Brewer Medwards' description for this single hop beer is short and to the point "Aroma and flavor of ripened pineapple and passion fruit.” What more needs to be said?
- Revolution Red Rye : This is the taste of the American craft beer revolution. The use of pale and caramel rye malts lend the color and distinctive dry, peppery character while Amarillo hops counter with notes of tropical fruit and oranges.
- Eternal Flame (Third Installment) : The third installment of Eternal Flame has gone unexpectedly dark! But don't fret, it burns hotter than ever. This Imperial Stout is brewed with 6 different malts and is infused with roasted cocoa nibs and habanero peppers to give it additional layers of complexity. It is certain to warm your tastebuds.
- Hellbent Wit : Hellbent’s wit is a Belgian inspired wit (aka white) beer. It is brewed using pale malt, unmalted wheat and malted wheat which leaves the beer with a very cloudy yet mild malt flavored beer. During the brewing process, bitter orange peel and coriander are added to produce a spicy orange component and Mt hood hops and Hallertau hops balance the malt sweetness. Finally a traditional Belgian wit yeast is added to produce the classic fruity, “bubblegum like” and spicy yeast flavors typical for the beer style. Later during the fermentation cycle more fresh dried Florida orange peel is added for some extra citrus flavor. 
- Kevin From Sales : Kevin was brewed intentionally to be the most acidic of the sour IPAs we've released so far. Kevin was also brewed with 100% Mosaic hops. This is probably our favorite of the 3 sour IPAs we've released so far. Lemon acidity, dank/citrusy aroma, peach, passion fruit, grapefruit. Cray cray! We think this turned out pretty rad and we hope you do too.
- Speed Wobble : Speed Wobble pours a deep ruby red with a creamy beige head. Flaked rye adds a smooth body, as well as a rich spicy, earthy character to support the dark fruit and toasted toffee of the Special B malt. In Speed Wobble the hops take on the role of supporting cast member, giving notes of pine, citrus and an earthy quality that provide balance and poise to the big, malty body. Speed Wobble may push your taste buds to the limit, don’t be daunted though, relax and enjoy!
- Bolita Double Nut Brown Ale : Pours dark brown in color with a tan head with notes of caramel, toffee, chocolate and toasted bread. Flavors of caramel, toffee and chocolate notes open with interjecting notes of wood and herbal bitterness from English hop varietals then moving back into semi-sweet chocolate, caramel and toffee and is dried out in the finish with toasted malt notes that resemble roast peanuts.
- Gold Coast : This luxurious Double IPA is brewed to celebrate the iconic history of Long Island’s, “Gold Coast”. It showcases 5 varieties of rare hops, harvested from around the world, that give a wide array of complex aromas and flavors for a one of a kind, hop forward experience that you will never forget. This privileged American DIPA is reserved for the most affluent of “Hop Heads”.
- Beer Geek Breakfast : Oatmeal Stout with Dark Horse Coffee
- Black Perle Dark India Pale Ale : The first release in the "Ales from the Dark Side" series...A dark, roasted twist on the traditional IPA that uses an absurd amount of malt and is "octo-hopped" with the German Perle hop. The biggest beer in the RJ Rockers linup to date.
- Santa Sangre : Belgian Tripel, 12% ABV, 60 IBU, Fresh Blood Orange and Grapefruit have been added to our hoppy Belgian Tripel. Candi sweetness, bitter citrus and Noble Hop aromas surround the yeasty esters creating a rare balance of very big flavors.
- Supadayze : Packed with hoppy complexity, Supadayze is brewed with copious amounts of El Dorado and Centennial hops, and balanced by deep malt undertones. Take in the summery aromas of pear, watermelon, and citrus before sitting back and sipping this big-time DIPA… like a Summadayze but #extra.
- Pellets & Powder : Pellets & Powder IPA is our deeper exploration of hops and hop processing, showcasing the advancement of hops by utilizing pelletized hops, along side Cryo hops, aka Lupulin powder. The end result is soft, rounded juiciness with hints of stone fruit, orange juice and a touch of dank.
- Walter Wit : Complex wheat tripel aged 10 months in mead barrels with two brett strains.
- Black Christmas : This beer does away with Vanilla and spices common in Christmas ales and delivers hops and bitterness. A new style of beer developed in the Pacific Northwest, this CDA is hopped like an IPA but is dark in colour. 100-mile local hops were used to build the hop flavour and aroma.
- Timber : This dark brown beer is bitter and sweet at the same time. Tastes rich and complex. Named for the old growth doug fir, originally felled for our roof, living on as your tables.
- Cellarmaker / Berryessa Fruity Rebels : A new take on the Session IPA style. Fruity Rebel packs a healthy dose of vitamin C into your glass with the addition of five unique citrus ingredients: pomelo, blood orange, cara cara orange, meyer lemon, and budha’s hand. Foregoing the hops in the boil, the bitterness comes from ICUs (International Citrus Units), and a dry hopped finish of Warrior and Chinook hops.
- Canvas Series: Brett Tyranny : Brett Tyranny is a brett rendition of our flagship red IPA aged with our house strain of brett. The addition of a pound per gallon of tart Montmorency cherries transforms our classic hoppy red into an even more complex IPA.
- Silly Cybies : Belgian-style Dark Ale aged in oak barrels with raspberries.
- Earth Rider Raspberry Russian Imperial Stout : Flavors of dark chocolate and raspberry dominate this early-spring sipper before finishing dry.
- Organic Pale Ale : Brewed using certified organically grown malt and hops. A special London Ale yeast brings out a lovely stone fruit character and crisp bitterness and a rich malty flavour, making it a unique, flavoursome and refreshing ale.
- Dead Santa Holiday Porter : What do the holidays bring us each year? Great times with friends and delicious deserts full of chocolate, caramel, and spice. Heretic’s Dead Santa is a dark, rich porter with big notes of chocolate and caramel. We then infuse it with our own mix of holiday spices, a perfect holiday treat for enjoying by the fire with friends.
- Le Grand Pamplemousse : Grisette brewed with grapefruit and peppercorns.
- Monsters' Park - Spanish Brandy Barrel-Aged With Figs And Cocoa Nibs : This is Monsters' Park, our hulking, cantankerous imperial stout, aged in Spanish brandy barrels, which begin their life as sherry casks. We loaded this batch with figs and cocoa nibs, which combine with the fruit-forward character of the barrels in a miraculous fireworks display of delicious complexity, pushing the massive, roast character of Monsters Park into a hitherto unexplored frontier of comestible pleasure. Let this beer warm up to 50 degrees before you drink it. Seriously you'll thank us.
- Tahoe Deep : Cascade, Centennial and CTZ hops keep this Imperial IPA West Coast style, floral, fruit and citrus aromas, Tahoe Deep is the perfect beer to keep on hand for a trip to the Lake.
- Grassy Bay : This Belgian Style Farm House Ale is sure to astonish your taste buds. Crazy amounts of stone fruits, lemon citrus, spice and of course (you guessed it…) grass. Earth tones and the aroma of freshly planted fields of lemon grass will fill your senses. We think if you could drink sunshine, this might be what it would taste like.
- Bière De Garde : A cousin to the Saison Tournante series, Bière De Garde is a high gravity, French country ale that has undergone a long, cool fermentation process. This beer features prominent earthy + fruity estery flavors and a crisp, biting finish that make it the perfect bold recipe to usher in the cold weather season. 
- Alter Ego : This brew is a shout-out to the alter ego in each of us, beckoning it out of dormancy. Porter Hardy, IV, brewery president, left his career as an attorney to heed the call of his weekend passion, making beer. Along with some friends who were just as consumed by beer, he established Smartmouth Brewing Company in 2012. Alter Ego, brewed in the farmhouse style of a Belgian Saison, is an effervescent and refreshing beer with fruity notes, a hint of pepper and a dry finish. Try pairing it with seafood, especially oysters or mussels, smoked sausages or cured meats. It complements aged gouda, chevre and ripe soft cheeses.
- Embro : A nice creamy milk stout, layered with dark chocolate, vanilla and a hint of cinnamon and chile.
- Red Brick Imperial Stout : Inspired by our legendary 20th Anniversary Imperial Stout, we’ve taken that recipe and aged half of it in oak barrels. You’ll enjoy big notes of dark chocolate and espresso beans with a mild oak character.
- Hanalei Island IPA : This easy-drinking island-inspired IPA is Kona Brewing Co.’s homage to Kauai, “the most beautiful place on earth.” Passionfruit, orange and guava balance the subtle bitterness of aromatic Azacca and Galaxy hops to deliver a coppery laidback, session-style ale bright with tropical flavors.
- Tiki Tuesday : Passion fruit, blackberry, and coconut sour.
- Clocktower Wishart's ESB : The Wishart's ESB is in the tradition of old English Special bitters and would usually have more flavor, aroma and alcohol than a standard bitter. Our ESB is copper color and the nose is a blend of sweet caramel and fruity aromas.
- Peg Leg Imperial Stout : Deep mahogany in color with aromas of roasted coffee, molasses and dark chocolate. Subtly hopped, making it astonishingly smooth and easy drinking for such a big beer.
- Cotton Candy Kölsch : We’ve added a Coney Island twist to a traditional Kölsch. Cotton Candy Kölsch is made with pureed strawberries, strawberry juice and our own cotton candy flavoring. This crisp beer has a light golden color with a pink tinge and has a fruit-forward, strawberry aroma, delicately balanced by floral hops. A dry malt backbone and strawberries dominate the palate, while the beer finishes with the unmistakable taste of cotton candy.
- Sramana : This is an IPA fermented in oak with our foraged yeast culture. Dry hopped with Citra, mosaic, and simcoe. Notes of that fruit stripe gum with the fweaky zebra, peaches, kiwi berries, clementines and mangos.
- Star Belly Saison : A saison for spring. Brewed with orange, lemon, lime and grapefruit zest.
- Peanut Alert : Breaking the "shell" of traditional American brewing, this nutty ale creates a new classic with its smooth and natural peanut-rich flavors. There's no "ifs", "ands" or "NUTS" about it - this is an ale you'll want to crack open!
- Was It Good For You? : Saison w/ Brett: Lemon Zest, Fruity Funk, Mild Citrus Hops, Dry.
- Rainstorm IPA : Tropical fruit, berry, and resin are abound in this stormy (hazy) version of one of our flagship beers, 3Mag Rain IPA. Washington 2-Row and German Toasted Wheat Malts and Flaked Oats create a full body with a smooth mouthfeel. NW Classic Cascade and Centennial Hops in the whirlpool, and dry hop additions of Mosaic and Centennial make for a dank, savory experience.
- Panther Transformation : Panther Transformation is Red IPA brewed with a proprietary blend of American hops and a whisper of sea salt. Dr Jonathan Chase... wealthy, young, handsome. A man with the brightest of futures. A man with the darkest of pasts. From Africa's deepest recesses, to the rarefied peaks of Tibet, heir to his father's legacy and the world's darkest mysteries. Jonathan Chase, master of the secrets that divide man from animal, animal from man...
- Moonwake : Sour Black DIPA with raw wheat, malted oat, black malt, milk sugar, dark chocolate and raspberries; hopped with Azacca.
- Flambeau Red : The creation of Flambeau Red starts with the selection of seven unique malts, to give a complex profile which is the foundation of this seasonal ale. Complemented by the barrage of three hop varieties, this is one incredibly well balanced American style red ale. The extreme depth of flavors are our focus, while the American ale yeast used for fermentation allows them to pop on the canvas that is Flambeau Red. The result of NOLA’s latest seasonal brew is one incendiary beer, as bright and warm as the keepers of the flame that light the parade route during Mardi Gras nights.
- Galactic Mind Control : Brewed with 2-Row Barley, Munich Malt, Oats, and Wheat. Telepathically hopped with Citra, Simcoe, and Galaxy. Clocking in at 100 Interplanetary Bittering Units, Galactic Mind Control’s effects on the empire of triple IPAs are unknown. Over 4 pounds per barrel of Citra, Simcoe, and Galaxy hops were abducted and experimented on in the Fields laboratory, with large hop invasions in the whirlpool. The beer was then probed with three dry-hop additions, each one increasing in size. Notes of passion fruit and citrus hover over the planet, er…palate. Flashing green lights of pine and alcohol warmth appear in the distance and just as quickly disappear into the darkness.
- Far Far Away IPA : Fire up the warp drives and set sail across this newly discovered tropical galaxy and drink in the celestial exhibition of pineapple, mango, peach and passion fruit constellations orbiting your glass.
- Belltower Belgian : The complexity of this Trappist style ale comes from a broad array of malts, Belgian candy sugar, noble hops and a unique Abbey ale yeast. A wonderful, full flavored and full bodied beer for winter.
- Scratch Beer 184 - 2015 (Pennings Farm Pale Ale) : Scratch #184 signifies our second Scratch Beer brewed with hops grown at Pennings Farm. Situated on 100 acres of pristine farmland in the historic Hudson Valley town of Warwick, NY, Pennings Farm has been family-owned and operated for over 30 years. Nestled just above an apple orchard on their farm rests a one-acre hop yard where they grow five different varieties including the Brewers Gold, Cascade, Mt. Hood, and Nugget hops used exclusively in Scratch #184. The combination of these four hops produces a fresh, vibrant bouquet of citrus fruit, resin, spicy herbs, and fresh-cut flowers.
- Pepperhoptas : You may have had our Pocahoptas IPA, but not like this. We’ve tasted the hottest peppers in the world to find one that would pair great with Pocahoptas. We decided on the Trinidad 7 pot . The 7 Pot Pepper originates from the nation of Trinidad. It is one of the world’s hottest peppers. The name was given because one pepper is claimed to be hot enough to flavor seven pots of stew. The pepper adds fruity and nutty tones that balance with the grapefruit citrus and floral aromas of Pocapotas. This is followed by a slight burst of heat from the peppers naturally high capsacin content. Come by and warm up with some Pepperhoptas.
- When Helles Freezes Over : Pleasant, bready, and sweet are all adjectives describing this classic German styled lager. There is a presence of medium to low spicy hop bitterness. The appearance of our Munich Helles is slightly darker in color than its commercial counterparts, but it boasts clarity and a creamy white head. Helles has a medium body with medium carbonation. This beer truly shows off Munich malt at its best.
- Hibernator (2016) : Hibernator 2016 is a blend of barrel aged orange and Brett cherry Imperial Stouts with a smooth roast character, wine and dark cherry notes, and a finish of orange peel and oak.
- Wicked Wench : Wicked Wench is our English stout (Blackbeerd) that has seen only the inside of whisky barrels for almost a year. With colour as dark as a moonless night, and a roasty texture to match, this beer may sneak up on you. A tartness blends with the oak and is tempered with the rich body to make this a beer unlike anything you've probably tried before.
- Velocihoptor : From our Single Hop IPA series. This India Pale Ale features Falconer’s Flight, a proprietary blend of some of the Pacific Northwest’s best hops, developed by Hopunion, LLC to honor and support the legacy of late Northwest brewing legend Glen Hay Falconer. Each hop in the blend was hand selected for its superior aromatic qualities, imparting distinct tropical, citrus, floral, lemon & grapefruit tones. Hopunion is contributing proceeds from each Falconer’s Flight purchase to the Glen Hay Falconer Foundation, which provides scholarships in brewing education. Many thanks to Hopunion and the Foundation for their continued support of American Craft Brewing. Ingredients: Maris Otter, crystal & kiln Amber malts; Falconer’s Flight hops; top-fermenting yeast; natural, limestone-filtered, Edwards Aquifer H2O; Gratitude
- Dark Helmet : Dark German lager, soft, bodied medium carbonation. Medium Noble hops to balance the light bitter chocolate malt flavors with a non cloying finish.
- Mosaic IPA : Mosaic is the first born child of Simcoe. Some have described it as Citra on steroids, but it’s much more than that; rich in mango, lemon, citrus, earthy pine, tropical fruit, herbal and stone fruit notes. With Mosaic hops and a compelling trio of Amarillo, Simcoe, and Chinook – this Mosaic double IPA is to be a sure winner in any double IPA enthusiast’s book.
- Peloton Pale Ale : Bright hop flavor and aroma dominated by tropical fruits, including mango and pineapple. The beer finishes smooth and balanced with three varieties of malts. The hop flavor and aroma are extra pungent due to the dry hopping (add extra hops after fermentation is complete).
- Helles Honey Bock : Sixty pounds of pure Iowa wildflower honey and Belgian Munich malt give this ale a great complex flavor.
- Moat Blueberry Ale : American-style ale, clean and crisp with a gentle fruit finish and a medium blueberry nose.
- Amber Ale : The Duck-Rabbit Amber Ale is a medium bodied beer with a lovely tawny copper / bronze color. The lightest of all our dark ales, this is a great introduction to full flavored beers. This brew emphasizes malt complexity with layered caramel malt flavors. We put a lot of effort into getting The Duck-Rabbit Amber Ale just right and we're extremely proud of the result. Enjoy!
- Little Brother : Little Brother is a Belgian Dark Strong Ale. By Northwest standards an 9% beer may not be considered strong, but it is currently one of the biggest beers we produce. It pours dark brown, with shades of ruby and a creamy tan head. The flavor is dominated by caramel, and candy and offers a smooth finish.
- Lucille Red Ale : A complex fusion of American and European malts define the character of this red ale. We used both American Northwestern and German noble hops to design this very drinkable beer with a clean finish.
- 6060 Stout : Named after the midnight black, ‘Bullet Nosed Betty’ steam engine 6060, brought back to life by Jasper’s Harry Home. The 6060 is a traditional, dry, Irish-style stout with a wonderfully complex roast character. This is a beer to make the Irish giant proud.
- Cherry Picker : Sour Fruit Ale
- Bolt Cutter : Bolt Cutter is a cellarable barley wine with an ABV of 15%. Dry-hopped with a mountain of Cascade hops, it’s balanced by a malty sweetness and spicy complexity, resulting from barrel aging some of it in bourbon barrels, some in maple syrup-bourbon barrels and some not at all (standard fermentation only). We’ve allowed the beer to mature in bottles and kegs since July so that it would be perfect for its release next month. Bolt Cutter pours a deep copper color and is best sampled at different temperatures to allow the flavors to unfold.
- Blood Orange India Pale Lager : This fruit-infused India Pale lager boasts a beautiful addition of pure blood orange. Tropical and stone fruit hop flavours are amplified by the citrus-redberry characteristics of the blood orange. Dry-hopped with Mandarina, Bavaria and Citra makes this thirst-quenching lager a perfect pairing to any summer day
- Lambent : Our interpretation of a berlinerweisse inspired ale. Brewed with acidulated malts, raspberries, and passionfruit.
- Session IPA : Our session IPA uses Nelson hops from New Zealand to give it its white grape flavor along with nice fruit and slightly bitter characteristics. The malt bill is toned down and helps showcase these aromatic hops.
- Super Juice Solution : Soured with Lactobacillus delbrueckii and complimented with heavily fruity American hops. We use a touch of coriander to reinforce the citrus theme of this beer. Although no fruit is used, this specialty IPA structure drinks refreshingly juicy and extremely session-able.
- Double IPA : Double the pleasure of our IPA. Fruity hop profile initiates the aromatics if this complex beer, along with a pleasant mango/pineapple juice flavor profile. More hop flavor than bitterness. Dry hopped with Azaca.
- 10th Anniversary Ale : Tenth Anniversary Ale was a beer brewed to celebrate 10 years of brewing artisanal Belgian style ales. A unique interpretation of our flagship Allagash White, Tenth Anniversary is a blend of two different whites; a sweet batch (brewed in February, 2005) and a dry batch (brewed in March, 2005). By blending the two batches, an additional complexity is imparted. Further complexity, most notably expressed by the delicate vanilla notes, was gained by aging some of the beer in new oak barrels.
- Stratofortress Cedar : Aged on cedar soaked in dark rum, the first thing that will strike you about this beer is the spicy cedar nose. Notes of figs and ripe fruit will delight you before the rich Belgian spiciness coats your tongue. The lingering aromas and flavors of cedar and rum stick with you until your next sip.
- Bourbon Barrel Aged Siberian Night Imperial Stout : We took our award winning Siberian Night Russian Imperial Stout and aged it for 11 months in fresh bourbon barrels. The result blew us away. The dark chocolate malt yields a milk chocolate flavor that blends perfectly with the vanilla flavor from the barrel. The bourbon aroma adds the finishing touch.
- Pommereux : We’ve blurred the boundaries between wine and beer before. But this time, the apple falls from an entirely different tree. Literally. Pommereux is a sour ale like no other. At its core, it’s an American wild ale, yet it shares the tart, crisp, effervescent and funky qualities you’d expect in a wildly-fermented cider. To achieve this profile, we partnered with our friends at Tin City Cider to freshly press juice from a field blend of apples, which included golden delicious, fuji, granny smith, gala, gravenstein, macintosh, mutsu, red delicious and pink lady. This freshly pressed juice was combined with wort of a sour wheat ale and added to oak barrels, where it co-fermented with wild yeast and bacteria from our house cultures as well as microflora that may have been present on the fruit. The result straddles the boundaries between a tart, oak-aged wheat ale and a wildly-fermented cider, balancing qualities of both seamlessly. It’s a bushel of fun, stemming right down to our spirit of continued experimentation and exploration.
- Harvest Hefeweizen : Not just another wheat beer. This award-winning hefeweizen is fermented with an authentic Bavarian weizen yeast to produce its unique flavor profile — fruity, spicy and refreshing. Try it without a lemon!
- Lawnmower Ale : This summertime seasonal beer is light straw in color and has a crisp, dry palate, light body and light malt sweetness. Low to medium hop floral aroma is present while hop bitterness is low. Fruity esters can be perceived, but the citrus flavors of lemongrass added to this brew predominate in this perfect beer to enjoy while watching your neighbor mow their grass.
- State Of Funk 2017 #3 - What'cha Want : A sour blonde ale aged 15 months in a Cabernet barrel with a Passion Fruit secondary fermentation. The beer was then transferred onto Pineapples and Cherries for a tertiary fermentation. 
- 100 Pts. : 100 Pts. is a deep ruby colour with a frothy white head. Its rich colour comes from sour cherries which complement the dark, fruit flavours that dubbels are known for. This is an excellent beer for people who think they don’t like beer, people who love beer unconditionally, and people who like obscure video game references from the 1980s.
- St. Bretta (Spring) : St. Bretta is our 100% Brettanomyces Whitebier that was just released this week! Not only is St. Bretta an evolution of Wild Wild Brett Orange, but also it will be ever-changing depending on the fresh citrus available that season. For our spring release we decided to brew St. Bretta with fresh Minneola Tangelo. Each seasonal release of St. Bretta will have a diverse range of citrus fruit added to keep the beer fresh and exciting
- Radio Banter : Hazy amber topped with an off-white head. This beer was fermented on local Wildflower honey form Dickey Bee Honey in Cooktown. Big aromas of under ripe catalpa, melon, and apricot, hints of lemon and lime along with a toasty malt and floral honey. This flavour starts with a tasty, bready Munich malt, and moves apricots, tangerine and under ripe melon. Finishing dry, with a lingering bitterness. The honey accentuates the dryness, and floral, fruity aromatics. Fruit forward, toasty , smooth and refreshing.
- Pilot Series: American Sour Ale With Apricot, Peach and Mango : Three citrus-forward fruits combine on the nose and palate to create rich tropical fruit notes reminiscent of blood orange, nectarine and sauvignon blanc grapes while vanilla adds marshmallow-like flavor and body to this piquant American Sour Ale.
- Born To Be Mild : A traditional dark and tasty ruby Mild.
- Bayou Bootlegger Hard Root Beer : Bayou Bootlegger is a decidedly adult take on the old-fashioned soda fountain root beers of days gone by. Gluten-free and sweetened with pure Louisiana cane sugar, this handcrafted beer delivers aromas of wintergreen, vanilla and sassafras, with hints of clove and anise. Enjoy its smooth, complex and satisfyingly sweet flavor as your go-to thirst quencher or paired with your favorite meal.
- Head High : Head High is our interpretation of an American-style India Pale Ale (IPA). This beer is all about the hops; we use a blend of five different varieties all grown in the Pacific Northwest. A small charge of Chinook and Columbus early in the boil adds a smooth bitterness. A majority of the hops are then added late in the kettle or post-fermentation to produce a beer that is heavy on hop flavor and aroma. The combination of Cascade, Centennial, Citra and Columbus give Head High a noticeable grapefruit flavor with aromas of citrus, tropical fruits and pine. Our house American ale yeast ferments to a dry finish that accentuates the use of imported Pilsner and lightly kilned crystal malt resulting in Head High’s straw color and crisp flavor.
- Kerfuffle : Kerfuffle is a Berklinier weisse aged in oak barrels with raspberries and strawberries. Lightly tart and downright refreshing, this golden sour displays notes of berries and citrus fruits.
- Cadence Porter : This full-bodied black as night ale is smooth with a velvety texture. Notes of roasted coffee beans and dark chocolate fill the pallet and nose.
- Tasgall II : Highland's vintage Scotch ale. Named for the 'Cauldron of the Gods' from Norse mythology, this deliciously dark, complex beer combines Scotland-grown Golden Promise malts with double-roasted crystal malt, crystal rye, and a touch of cherry wood-smoked malt for a deeply rich, bold flavor. This winter sipper is worthy of its mythological name.
- L'Ours : Barrel-aged rye ale that is an evolving concept. Each blend will be unique with the dominant flavors being sour or bitter or fruity. The beer will always be a blend of 20% sour rye ale aged for 2 years in Banyuls wine barrels and 80% a fresh saison.
- The Smoothness : The Smoothness is a rich, silky dark lager aged in Jameson Caskmates barrels, directly from Ireland. This collaboration release was inspired by our time at the Middleton distillery for our Jameson Drinking Buddies partnership. The Smoothness opens with a velvety mouthfeel and rounds out with roasted malt flavors and notes of vanilla and oak. One sip and the name explains itself.
- Shaddock IPA : X-114 IPA brewed with Grapefruit peel
- Oregon Native : Oregon Native is a collaboration with Derek Einberger, winemaker at Patton Valley Vineyards. The beer combines their estate pinot noir grapes with our method of cask fermentation on whole fruit, the idea being to highlight the varietal and make a pinot beer, not simply a grape beer. To keep it from becoming too busy on the palate, we avoided the usual mix of yeasts and bacteria employed here for their vineyard culture, yielding a profile without excessive peaks, allowing the nuance of the fruit to show in both aroma and flavor. Aged in casks from both Patton Valley and Fausse Piste, the Oregon Native expresses a truly local character. 
- Mas Frambuesa : Mas Frambuesa is a celebration of raspberries, doubling the amount of fruit used for our frambuesa de la Casa. It all begins by aging our mature foeder saison on a very high concentration of raspberries. Following several months of re-fermentation Mas Frambuesa is then blended with more foeder saison to the preferred balance of fruit and acidity.
- Belafonte : Fruity and spicy with a nice Belgian yeast zing. With 40% wheat, it's like a Witte meets a BPA meets a saison. Highly Hopped to boot! Incredibly refreshing and drinkable. Tribute to the ship in Life Aquatic. We love Bill Murray. Here he is looking into our grundy tank (not really).
- Late Night Mild : Dark, light bodied, roasty, and a very sessionable 3.6% abv, brewed at EEBC with Daren Szakelyhidi.
- Barrel Aged Bomb! : Barrel Aged Bomb! is the result of our world famous imperial stout, Bomb!, that was tucked away in wooden barrels for several months. Vanilla and caramel notes balance the big flavors from the whiskey barrels and come together for an extremely complex yet balanced experience.
- Jeremiah Red : A Silver Medal winner in Strong Ales at the 1996 Great American Beer Festival. This Irish-style strong ale is brewed with a secret blend of five imported specialty malts. Not too hoppy in order to emphasize the complex malt flavor and fruity aroma.
- Trade Winds : Light golden in colour, with high proportion of wheat, giving the beer a clean fresh taste. The mash blends together with the Perle hops and elderflower providing a bouquet of fruit and citrus flavours.
- Echelon Four : The fourth installment of our small batch pale / blond ale series brings a tiny Belgian treat. Echelon Four pours a hazy gold color with a bright white head. Fruity esters reminiscent of orange rind and lemon zest along with semi sweet malts arise from the glass. Flavors of grapefruit peel, floral hops, and spice play off the palate. At 4.3% she’s a crispy summer drinker!
- Porter De Los Muertos : This mole porter was brewed with our Indiegogo Guest Brewer Drew Zemper. Inspired by the fusion of chocolate and spice, we created a porter with notes of dark chocolate and roasted coffee beans, and added a profound amount of poblano peppers during the boil. The result is a porter with distinct pepper and chocolate aromas and flavors, with a subtle spiciness that never gets in the way of the beer.
- OP Porter : Luscious and silky smooth with a body to match, OP Porter is uncompromisingly rich yet surprisingly drinkable. A complex blend of dark malts and real milk sugar creates the bold flavors of dark roast coffee mingling with farm fresh cream. For the stout and porter lover in each of us, OP is a knockout.
- James & The Giant : Bold & complex Belgian Strong Blond Ale aged on peaches & finished with a blend of Brettanomyces Claussenii & Lambicus; strong, balanced & dry, with a mix of stone fruit, white pepper & earthy funk throughout.
- Milk Stout - Nitro : Taking America Back. Dark & delicious, America’s great milk stout will change your perception about what a stout can be. Pouring hard out of the bottle, Milk Stout Nitro cascades beautifully, building a tight, thick head like hard whipped cream. The aroma is of brown sugar and vanilla cream, with hints of roasted coffee. The pillowy head coats your upper lip and its creaminess entices your palate. Initial roasty, mocha flavors rise up, with slight hop & roast bitterness in the finish. The rest is pure bliss of milk chocolate fullness.
- Barrel Aged Imperial Stout : To commemorate our first five years, we bring you this Imperial Stout, which has been aged in rye whiskey barrels for no less than 15 months. The deep color and malty backbone come from heavy additions of dark-roasted and caramel malts. These chocolate and coffee characteristics are balanced by mild hops and from the complex esters developed through the Belgian-style yeast during fermentation. Barrel-aging for over a year has imparted the deep oak and rye whiskey flavors that make this one flavorful brew!
- Humulus Rye : Humulus Rye is a pale hoppy lager featuring German rye malt and a low mash temperature to let the hops take center stage. Formidable bitterness teams with heavy citrus and tropical notes thanks to American, New Zealand and Australian hops, accentuated by mild rye malt complexity.
- Thunder Canyon Ye Olde Strong Ale : Amber to brown in color, Ye Olde Strong Ale is full bodied with a malty sweetness and high alcohol content. Fruity esters contribute to the aroma and flavor. The hops balance nicely with the malt, making this a delicious beer.
- Hop Meadow IPA : A blend of Bravo, Amarillo, Cascade, and Centennial hops give this beer a crisp, hoppy flavor. Dry hopping with Centennial gives this beer a beautiful aroma of citrus notes. Balanced but complex, this beer is a refreshing brew.
- Orange Blossom : Our salute to Belgian style fruit Lambic beers, with a distinctly Californian twist. We add select parts of whole oranges at precisely the right point to our amber recipe beer, and the result is this magical, orange sweet beer we call Orange Blossom Amber. This brew is crafted with only natural ingredients, specially malted barley, our proprietary yeast strain, and pure spring water from our historic Indian Wells Spring.
- Asgard IPA : Straight from the home of the gods. Asgard IPA is a hop explosion in a glass. Brewed with lightly kilned malts for a clean body that supports prodigious hop additions and in-tank dry hopping. Grapefruit, orange and apricot flavors dominate the aroma of this truly northwest IPA. Raise your pint, toast your enemies and prepare yourself for an olfactory assault.
- The Wind Bretta : We took our Gose, aged it on fresh organic grapefruit, and then dry hopped it with Citra hops. For Batch 1 of The Wind, we re-fermented the beer with Brettanomyces. The resulting beer is incredibly complex, funky, and delicious. Please take note, we will be producing bottles of The Wind on a semi regular basis going forward, however we will not be incorporating Brettanomyces again. So, this batch is a rare opportunity to see the complexities that Brettanomyces imparts to an already wonderful beer. The Wind, Batch 1, has been cellaring for 6 months and is full of flavor.
- Fat Belly Amber : A medium bodied ale with a complex malt profile. Flavors of bread, caramel, and hints of dark roasted malts.
- SmoKin Porter : Brewed and named in honor of TestPilot 001 Jeff Kramer the SmoKin Porter is a full bodied robust porter exhibiting a mildly smoky character complimented by a generous helping of CTZ hops for bittering and Mt. Hood hops for flavor and aroma. With an ABV of 7.2%, a bitterness of 51 IBUs and a deep dark SRM of 32, the SmoKin Porter drinks remarkably smooth for such a dark colored beer. With skills that rival Kramer's own, the SmoKin Porter is a delicious choice for any occasion.
- Therapy Session IPA : The little brother of our Immigration IPA, this session IPA is light, hoppy, and easy-drinking. Therapy Session presents itself light burnt orange in color with aromas of candied orange, dank citrus, subtle resin, and sticky pine sap. The palate unfolds with bittersweet tangelo, citrus pith, floral spice, and light caramel sweetness. Subtle bitterness, potent hop character, and low gravity make this beer crushable, yet complex.
- Baby Daddy Session IPA : The first edition of our Session 47 Series, Baby Daddy IPA is sunny straw in color and loaded with hops. The aroma and flavor yield citrus and tropical notes: grapefruit, melon, lime, passion fruit, and a touch of spice will delight your palate. Baby Daddy IPA has a full balanced body, with a crisp finish and low bitterness. It’s an ideal choice for long afternoons with friends.
- Obscura Vulpine : The word vulpine means "like a fox." Here, we’re referring to the deep, reddish hues of Obscura Vulpine, a beer brewed especially for barrel aging. What goes into the wood as rich, malty, and ruby-colored, comes out a complex, sour, garnet ale. With notes of dried tart cherries, red currants, and oak, this is a beer as artful as our favorite forest canine.
- MoHop : "MoHop" is a vibrant India Pale Lager generously dosed with hops from the southern hemisphere. This 6.5% IPL features a beautiful blend of Mosaic, Motueka, and Equinox to bring you a fruity brew with a nice hop bite
- Magic Lake Porter : A dark , smooth and rich Porter with notes of chocolate , mild caramel , smoke and light coffee. Finishes clean and balanced.
- Hefeweizen : An authentic example of a Bavarian Hefeweizen. “Hefe” means cloudy or yeasty and “weizen” means wheat. This beer is made with mostly wheat and uses a true Hefeweizen yeast that gives it a fruity, banana aroma with just a hint of cloves. The tart finish makes this the perfect summer beer.
- Snowstorm 2004 : This year years beer was referred to as a "dark amber cream ale."
- F&M Harvest Ale : A warming golden red glow beams right from the centre of this beer unveiling a clean aroma of soft caramel malts and a touch of dark fruit. The body is light and very easy, opening into flavours of grainy sweet toffee and very light hops.
- Hell Hath No Fury Ale : Originally conceived along the lines of a Belgian Dubbel, Hell Hath No Fury... Ale morphed during development into something entirely different. Blending a pair of Belgian abbey-style yeasts into a recipe more akin to a roasty stout, Hell Hath No Fury... Ale offers up warm, roasted notes of coffee & dark chocolate together with the fruity & clove-like aromas.
- #ladybroz : #ladybroz is the same exact recipe as Broz Day Off(4.8% Citra IPA) except we added a ton of whole Hibiscus flowers and a little bit of grapefruit juice. The hibiscus turned this already rad citra bomb crusher into a straight up #pinkdrank. It also provided a bit of acidity which really softens the mouthfeel and enhances the bright hop character. The hibiscus contributes an awesome subtle herbal(but not overbearing) character too. The grapefruit was solely added to also soften up the mouthfeel and add a subtle complexity. It is not a prominent component in the flavor profile and was intended not to be. If you are looking for a grapefruit bomb, you might be disappointed. If you are looking for a really complex, low abv, citra forward IPA that's pink, this is the one for you!
- Infinity Beach : Lacto soured Brett IPA with grapefruit zest.
- Victoria Ale : Victoria Ale was inspired by a visit to Victoria Mansion, in Portland, Maine and the visual references to Bacchus, the god of wine. The brewer's decided to fuse the worlds of beer and wine. Over two hundred pounds of Chardonnay (Vidal Blanc in 2010) grapes were brought in, crushed on site and added directly to the mash. Victoria Ale's aroma is fruity spice, and the taste presents subtle notes of green banana, black pepper, and fresh-crushed mint. With a focus on the subtle, wine-like character of the grapes, the 9.0% ABV brew boasts a pale copper color, Belgian yeast influence, and a medium body with a long candied fruit finish with hints of honeydew melon, and, of course, white wine grapes.
- Yards Rye : This beautifully complex, boldly hopped, amber-colored IPA uses rye malt to give the beer a subtle spiciness. It’s bittered with Bravo and Nugget hops before heading to the hop back packed with whole flower Chinook. Finally, we bomb it with Centennial, Citra, Simcoe, and Columbus, creating a pungent ale with intense notes of citrus and pine.
- Straffe Hendrik Wild : Straffe Hendrik Wild is a “wild” version of the famous Straffe Hendrik Tripel. The traditional triple beer is re-fermented with a wild “Brettanomyces” yeast, that creates unusual fruity aromas in harmony with the rich use of aromatic hop varieties. The bitter hop aromas will be- come softer, whereas the wild Brettanomyces yeasts will continue working and creating hints of fruit and wine.
- Juicy Peach Ale : Few fruits say summertime like a ripe, juicy peach. Fermented with a peach puree, this light and refeshing ale beckons the warm days of summer…
- Schell's Stag Series German-Style Porter : A German-style porter with cacao nibs adding complexity to the brew, it is infused with flash-frozen German Tettnang Hops.
- Stoutwood : Introducing Stoutwood: the second installment in our soon to be award winning and earth-changing Cooper's Series. The unique and complex flavors found in these beers are the aftereffect of being aged in medium-toasted White American Oak barrels. Stoutwood offers the palette notes of fruit and coconut; similar to an oak aged Chardonnay.
- Bearded Lady : Is there such a thing as a “Manly Fruit Beer”? We brought the challenge to our brewmaster, who created a Belgian Pale Ale that incorporates both rye and raspberry flavors. The spicy notes of the rye compliment the sweetness raspberry, creating a beer that appeals to craft beer afficiandos and novices alike.
- DaDo Bier Royal Black : This is a special Bock style beer, with low fermentation and higher alcohol content (5.5%vol.). It is prepared with mineral water and imported dark malted grain. Its stout flavor goes well with pastas, meats, sweet sauces and desserts.
- Lazy Susan : This sour wheat beer is first aged with a mix of yeast and bacteria (Lactobacillus, Pediococcus, Saccharomyces, and Brettanomyces) and then has organic Masumoto family farm peaches and nectarines added. This all developes into puckering tartness, complex funkiness, and juicy stonefruit.
- Kuhnhenn Bock With Bolz : A doppelbock with fruit.
- Rocky's Revenge Bourbon Brown : Deep in the darkest depths of Rock Lake dwells a great saurian known today as Rocky. The legend of Rocky is old. The ancient inhabitants of Aztalan warned of the beast by building a giant serpent mound at the lake's edge. The early residents of Lake Mills were forewarned of a guardian placed in its lake to protect its sacred stone tepees. And history tells of numerous encounters with Rocky, who became a source of great worry and fear. Although not seen for over a century, divers still experience a feeling of dread and being watched. Enjoy Rocky's Revenge, our offering to this legendary protector of Tyranena.
- Blue BBLs : In brewing, BBL is the notation for “barrel,” a unit of measurement equal to 31 gallons. This is not to be confused with an oak barrel, which typically holds nearly two BBLs of beer. Still with us? Great. A special blend of our bourbon barrel aged imperial stout with our bourbon barrel aged sour stout, plus an addition of juicy blueberries, Blue BBLs finishes with incredibly vinous tones. The acidity from the sour stout matches perfectly with the sweet malt character of the imperial stout and the fruity tannins from the berries round everything together. Notes of red wine, blueberry skins, toffee and roasted oak. A fine addition to the line up of Hoarders Society exclusive ales.
- Vertex IPA : This West Coast/Rocky Mountain-style India Pale Ale is back-hopped for a more intense hop bitterness, flavor and aroma without the balance of caramel malts like our Midwest-style Baldock IPA. It has medium-high alcohol content, high fruity, floral and citrus-like American-varietal hop character, deep golden color and medium maltiness.
- Bohemian Pilsner : Harpoon Bohemian Pilsner follows the age-old tradition of extended lagering to help produce a smooth yet complex beer. The blend of European malts is balanced with Tettnang and Saaz hops to create a slightly malty beer with a crisp finish.
- Berserker Imperial Stout : Vicious and viscous, this menacing brew pours opaque black with a creamy maduro-colored head. Its aroma offers seductive whiskey, chewy red wine, dark fruit and lavish tobacco. Berserker Imperial Stout invades your taste buds with in-your-face flavor. Weighing in at almost 13% alcohol by volume, Berserker is completely out-of-control. Give it a good fight. Berserker Imperial Stout was aged in both red wine and whiskey barrels.
- Done Did It Dortmunder : Dark gold colored with a mild caramel influence from the Crystal malt. The hops drive the taste and help give this brew a nice balance with big body and great mouthfeel.
- Vlad The Impaler : An Imperial Stout to be reckoned with, Vlad the Impaler is a coal-black, high-gravity, high-alcohol ale with tremendous, complex flavours and aromas that hint at caramel, coffee, roasted nuts and a perhaps a wee bit of smoke with a monster mouthfeel and a warming finish.
- Brainfood : We were approached by Matt Thomas & Ron Troyano (Alchemy Restaurant) about the possibility of doing a fundraising beer for the Albert Einstein Academies with part of the proceeds going to help support and assist the teachers with their grass roots funded agricultural program. We decided to make a german inspired zwicklbier but with a hoppy San Diego flair. We brewed and designed this lager in collaboration with local brewers Pat Korn and Doug Hasker as well as Eric March from Star B Ranch who was kind enough to donate some wonderful nugget hops from his farm. Loosely inspired from the Keller/Zwicklbier (german unfiltered/unpasteurized lager) we made a concerted effort to maximize the hop punch as well as add a bit of complexity by using a little malted white wheat (15% of the grist). Unconventionally hopped (65 IBUs)we used both Star B nugget as well as first growth hops from the Albert Einstein Academy program in the mash and with a 75 minute boil we continued to hop generously with Falconers Flight, Nugget, Cascade and Amarillo. We harvested lager yeast from Doug at Gordon Biersch and we bottom fermented cold for 6 weeks. The result was Brainfood a wonderful San Diego Style Zwicklbier. Brainfood is a hazy pale golden with floral and light citrus spice aromas from the hops intermingling with a soft malty/grainy backbone. Well carbonated and refreshing with a punchy hop bite. A San Diego classic in the making and a beer for a grand cause. Prost!
- Family Jeans : Session IPA dry hopped with Citra, Galaxy & Vic’s Secret Hops and finished with Grapefruit. Brewed in collaboration with Alisson’s Restaurant in Kennebunkport.
- Belgian Style Tripel : Our Belgian inspired Tripel was brewed traditionally in the manner of the Trappist Monks. This golden ale is spicy with a sweet finish and hints of fruit notes.
- Great Lakes RoboHop : RoboHop Imperial IPA is not a beer to trifle with. The unfiltered beer pours with a deep orange hue with a bright white head. The aroma is fantastic. Tropical fruits abound from the glass, which consist of passion fruit, guava, lemon with notes of white grape and evergreen mingling together. Makes you think of cotton-candy. Traces of soft warming alcohol notes are also detected. The full-bodied 8.5% Imperial IPA is very gentle on the palate, making it one sneaky bugger. Many of the aromas come through in the taste, resulting in a very pleasant juicy finish that’s slightly dry, and, as stated in the description – bracingly bitter. An easy-drinking Imperial IPA.
- Praga Dark Lager : Praga Dark are brewed under the supervision of the Brevnov Monastery Brewmasters. The beer is brewed in mid-sized local Czech breweries with the use of the original receipt and best quality Czech ingredients. There is always guarantee of the consistent best quality of our beers.
- Geary's Oakie Doekie : Deeply malty, with caramel apparent. Smoky secondary aromas are also present, adding complexity. Hops are quite low. Dark brown color, with deep ruby highlights. Clear with a large tan head. Richly malt with kettle caramelization. Hints of roasted malt and smoky flavor are present. Hop flavors and bitterness are medium-low, so malt impression dominates. Full-bodied, having a thick, chewy viscosity. A smooth, alcoholic warmth is present and is quite welcome since it balances the malty sweetness. Moderate carbonation.
- Farmhand Ale : Our interpretation of this Southern-Belgian farmhouse ale uses a partial sour-mash and the addition of freshly ground black pepper. We use a very unique strain of yeast from Belgium to add further layers of spice and complexity to this rare style of beer.
- Delayed Gratification : Juicy East Coast-style IPA, with impeccable timing and mouthfeel, thanks to a malt bill featuring two-row, wheat and oats, and a fruity yeast character complemented primarily by Citra, with El Dorado and Mandarina Bavaria hops.
- Bayern Doppelbock : “Doppel” means double and this beer is double in every way. Bayern Doppelbock became an instant legend when Bayern introduced it in Missoula in December of 1987. Unlike its top-fermenting counterparts, this hearty German dark lager does not have the rough bite of a porter or a stout. Bayern Doppelbock is dark, smooth and has plenty of hops (Saaz & Hallertauer Perle) and malt. It has a starting gravity of 18 degrees Plato. Bayern Doppelbock is available in bottles and on draft from November through February, just in time for the holidays and the coldest months. Please enjoy this festive beer in moderation and leave your car at home if you are planning to celebrate with Doppelbock.
- Newport Storm '04 : The previous four “extreme beer series” were all dark in color, and we wanted to try the opposite with this holiday brew. Our goal: the lightest color, the highest ABV, and only the four noble hops used in it! Of all our entries, this baby needed some aging to calm down the 14.1% ABV! After the hand cork is popped, faint grassy aromas fill the nose from the late Saaz hop additions. Let this bottle breathe after you open it, if you can find one!!!
- Salt Spring Fireside Ale : Our Salt Spring Style Winter Warmer, is brewed in the Old English Tradition. With a rich ruby colour, a complex fruity nose and 7% alcohol, Fireside Winter Ale is meant for sipping and savouring near a warm fire on a cold night. Low hop bitterness allows notes of fresh and cooked fruit to come through backed by flavourful malt. A slightly dry, acidic finish provides a contrast that leaves you wanting more.
- Adam From The Wood : Our Adam aged in American Oak barrels. First released in 2000, and released again in November 2011 in 12oz bottles. This 12% beer has lots of the typical HOTD aromas: Caramel, brown sugar, tons of raisin and tobacco. Fig, date, and plum fruitiness in that order. This has a fairly strong earthy vinousness as well as oak vanilla.
- Special Dark Lager : Like a Schwarzbier/Baltic Porter mash up. A crisp body and firm bitterness meets rich roasty, chocolate and toast flavors with a hint of oak smoke and a dry finish. What old time dark lagers must have tasted like.
- Forêt Noire (Swiss Kirsch Imperial Stout) : La Forêt Noire is a reddish-black ale brewed with a mixture of malts (Carafa, Special B) which give it real body and depth – a color and texture reminiscent of chocolate torte. The beer is then blended with cherry wine and fermented cherries, resulting in a dark, roasty beer balanced by the fruity.
- Hitch Hiker IPA : Amber in color with a medium body, with just enough malt to keep the hops in check. Bitterness coats the tongue and back of the throat, and leaves a lingering grapefruit note. 
- London Smoke : Originally brewed for #Collabfest14 with Brewdog Shoreditch under the name Smoke & Mirrors, London Smoke is a semi-seasonal Imperial Porter brewed with smoked barley and wheat malts. This is a distinctive, lightly smoked beer with rich flavors of dark chocolate, tobacco, and hints of campfire.
- Jackalope IPA : Hops are literally leaping out of this aggressive and magical deep golden brew. The aroma of Columbus, Crystal and Centennial hop varieties strikes you first with notes of evergreen and grapefruit before evolving into a snappy and sharp hop flavor. The finish is very dry and calls you back for more. Yes, there is some malt here too, but mainly in a supporting role. This is one for the hopheads. Cheers!
- Merrill Marzen : "Introduced at our first Octoberfest celebration, this German style lager uses a unique five-malt combination. It is finished with Saaz hops. The result is a beer that is slightly darker and bolder than our second Octoberfest offering, Vienna lager. The alcohol content is 4.5%."
- Red Rock Blonde Ale : Pale straw to deep gold for color. This all malt brew is well attenuated with a slightly malted palate. Most have a subdued fruitiness. Hop character is of the noble variety, leaving a mild to medium bitterness. A balanced beer, light bodied and reminiscent of a cream ale.
- Tripel Horse : Our take on a Belgian Style Tripel Ale, brewed with spices and fermented with a Trappist yeast strain which lends hints of vanilla and creates a variety of complex flavors.
- Sierra Blanca Imperial Stout : This beer pours a deep, dark brown with a light tan head. Aroma is malty, roasty with coffee notes and some very light aroma hop. It has a roasted coffee and chocolate taste with a sweet finish.
- Morning Bell : Our imperial milk porter brewed with Rook Coffee Roasters dark roast Sumatra coffee. We added a healthy amount of milk sugar to an already complex, dark malt bill to sweeten and balance the bold flavors and roasty bitterness of the coffee. The result of this collaboration is a full bodied porter with big bold flavors and remarkable smoothness.
- Stout Out Loud : This pitch black ale has strong flavors of roasted coffee, chocolate and raisins that are balanced by the acidic dark malts; it ends with a creamy, smooth finish.
- Highlander Frozen Hill Winter IPA : This full-bodied Red IPA is brewed with loads of piney North West hops, peppery Grains of Paradise, citrusy Bitter Orange Peel and hand-cut Spruce Tips. The complexity and hoppy nature of this beer will make it a holiday favorite not to be missed!
- De Maas : Formerly our newest beer, De Maas balances a fruity and floral Belgian yeast character with caramel and toasty maltiness and a firm bitterness.
- Takes 2 To Mango : A wonderfully balanced ale. The hops provide a grapefruit grenade of aroma. Infused with the freshness and flavorings of real mango.
- Art #34 : This pale saison was fermented in a foudre (think: massive wine barrel) with multiple strains of Brettanomyces and Lactobacillus. Our science team then utilized natural carbonation processes to condition a single keg for consumption. Art #34 bursts with notes of apricot skin, white grape, and orange marmalade. A subtle wheat backbone and pleasant tartness pull this beautifully complex beer together. Pours are available now, until the keg is gone - cheers! 
- Rind Grind : Brewed with Crop To Cup dark roast coffee and a hint of lemon.
- Imperial IPA : This beer is the epitome of Epic’s IPAs. This hard hitting brew manages to pack a punch while still providing that fantastically complex IPA flavor. Slightly floral aromas hit the nose while resinous flavors dominate the body, finishing with the ideal palate cleansing bitterness.
- Straight Jacket : (Barrel-Aged Institutionalized) A strong ale to warm your insides in the dead of winter. Deep aromas and flavors of dark stone fruits, bourbon, molasses, toasted coconut and vanilla come in waves.
- Phantom Chair IPA : Three Years Ago, out of the darkest reaches of a lonely universe, on a spinning rock three planets from the burning Sun, emerged a hero to the unserved craft beer masses of Central Seattle (and their dogs and children). His name was Chuck. Bringing forth the light and vision to unite all the great Craft Beer Houses and Food Trucks into one glorious entity, Chuck’s Hop Shop Central District, Chuck’s CD, fought back the darkness of Corporate Beer to bring great beer and great people together. It is our honor to brew this Third Anniversary Beer for Chuck’s CD, and we hope you enjoy it with a friend, old or new, and raise a toast to Chuck’s CD and all the fine people who make it such a special place in our community. So, Phantom Chair IPA is a hazy IPA loaded with metric tons of hop goodness. DRINK THIS BEER FRESH…IT WILL NOT AGE. Bursting forth with Simcoe, Ekuanot, Columbus, and Unnamed Experimental Hops, this radiant, hazy IPA will remind you of the warmth and light brought into our world by Chuck and the fine people at Chuck’s Hop Shop Central District. History flows forward on rivers of beer. VWP
- Old Ruffian Barley Wine : Old Ruffian is a hefty, hop-forward Barley Wine. Seemingly mellow at the start with subtle fruit aromas and complex caramel sweetness, it quickly becomes aggressive with its bold hop flavors and huge hop bitterness. Ultimately, the big body, succulent sweetness and massive hop character come together to work wonders on your palate.
- Dragonmead Excalibur Barley Wine : This Barley Wine tops the charts! Big, complex and thick, this beer is a meal in a glass. It warms on the way down and for quite a while afterwards. This beer undergoes three yeast fermentations and spending over 120 days in the fermenter. When you are in an adventurous mood, try this international classic.
- City Steam Norwegian Wood : Santa has outdone himself this year. Hopefully, you've been extra "nice." While his helpers were busy checking their lists, Santa commissioned us to craft a beer that he could enjoy by the fire after the big day. Think cocoa, cinnamon, lovely snow bunnies & a bear skin rug. Why, that dirty old Elf! Norwegian Wood is a sumptuous spiced dark lager with a nice malty feel. Celebrate the season in style with a pint of our wonderful Christmas specialty.
- Half Acre / New Belgium 2023m2 : 2023m2, brewed at Half Acre last month, is a soft sour ale that features the delicate complexity of a well designed New Belgium beer. A partial kettle souring process and light use of Maresh and Sumac all lend an equal hand in delivering a full experience. The numerical name ties into the area measurement of an actual Half Acre. Our hope, though, is to again brew together in the year 2023 and send that beer to the first group of people living on Mars.
- Trellis IPA : This drinkable IPA uses several varieties of hops to keep you wanting more but also keep you standing. The great hop flavour and aroma are balanced by biscuity malt sweetness. This combination is the true IPA lover’s dream. Sessionable without compromising complexity.
- Mistress Of My Soul Saison : Mistress is special. This steamy European Lady is spicy, fruity and dry only after you’re finished. BC and German grown malts are fermented with a unique blend of yeasts; The Mistress is then late hopped with New Zealand Motueka to ensure She is never bitter and never upset. The stone fruit and citrus of the hops weave together with her bubbly carbonation to bring out her sultry natural energy.
- Raspberry Sparkler : RASPBERRY SPARKLER is our first solo foray into fruited sour ales. Bright, tart, and packed with fruit and citrus, yet light enough to crush on summer days.
- Freak Your Tiki : Cherry, Mango, Guava, Passionfruit, Vanilla Florida Weisse
- Harvest Ale : Bust out your favorite fall jacket and warm your spirits with this nutty, earthy and spicy Harvest Ale. Brewed with five grains and flavored with molasses and pecans, it's perfect for fall festivals or after you've finished jumping in a big pile of leaves. 
- Stiegl Radler (Grapefruit) : Real grapefruit juice gives this deliciously refreshing Radler (mixed beer drink) its amber natural cloudiness and pleasant tangy taste. The refreshingly fruity taste makes Stiegl-Radler Grapefruit a wonderful thirst quencher.
- The Illustrious Sir : A single-hopped IPA loaded with Simcoe. Reminiscent of grapefruit.
- Turbo Shandy - Grapefruit : Born from European traditions, a fresh grapefruit character nicely compliments the light malt flavor of this Grapefruit Turbo Shandy. Let the sunshine in with this super tasty citrus ale!
- Lupulin Lab: Topaz : Lupulin Lab is our single hop IPA series. This time we are highlighting a hidden gem of a hop from Australia called Topaz. It was developed almost 30 years ago, but has remained underutilized. Unique flavors of Lychee fruit and pine resin combine to make a bright and easy ale.
- 1/2 Baked Peanut Butter Porter : Ellicottville Brewing Co.’s 1/2 Baked Peanut Butter Porter uses friendly Canadian Barley, creamy American Oats, rich British Malts and lots of Jimmy Carter's Peanuts to create an amazingly smooth and refined example of an American Style Porter. Subtle notes of earthy roasted peanut butter are folded into bold flavors of deep, dark Baker’s Chocolate. Pours nearly black with a medium body, creamy tan head, silky mouthfeel and mild bitterness. A porter to savor & enjoy.
- Oat (Imperial Oatmeal Stout) : The Blackwater Imperial Stout Series is full of delicious dessert beers, with one exception: Oat, our Imperial Oatmeal Stout. Pouring black as night, with a mocha colored head, big dark flavors of molasses and bitter malts conspire to hide the high alcohol content.
- Fort Point Pale Ale : Our signature American pale ale balances light, crisp, malt character with an abundance of hop-derived aromatics and flavors from the use of Citra and Columbus. The fragrant nose is fresh citrus, tropical fruit, and peach. Bold flavors of pineapple and mango mix with dank notes of zesty citrus and fresh pine needles. With the smooth mouthfeel, gentle bitterness, and dry finish, Fort Point is our standard daily-drinker. 
- Transmission : A low ABV session IPA. Fruity and earthy flavors from Simcoe and Citra hops.
- Tart Sour Ale (Berliner-style Weisse) : Traditional sour wheat ale inspires by the German original. Made with wheat and pale malt, this beer is refreshing and quaffable with flavors of sourdough and citrus fruit.
- Hops Of Wrath : "Hops of Wrath is an India Pale Ale with moderate bitterness and a solid malt backbone. It has a fruity, citrus aroma, bright hop flavor and clean finish at 6.6% abv."
- Tedy Brut-shci : A light, Dry and effervescent IPA with aromas of tropical fruit and candied orange. ABV: 6.9% IBU: 30
- The Dark Side : Overlooked, English-style Dark Mild. Toasty with notes of chocolate and coffee. Full-flavored with a low ABV for an extremely quaffable pint.
- Everything Was Forever, Until It Was No More : Bittersweet chocolate, roasted malt, dark fruit, warming, rich.
- Mariënrode Quadruple : Mariënrode Quadruple is a strong dark beer with tertiary fermentation in the bottle. When you first poor this beer in our special glass notes of spring blossoms and a delicate soft sweet that is over powered by Cacao notes gets into the nose. The full 12% alcohol is clearly present in this Mariënrode Quadruple. When tasting the beer a number of complex flavors appear, the initial cacao taste changes into a clear espresso aftertaste.
- Bock Trial : A classic doppelbock, brewed with 100% Munich malt for a dark copper color and a caramel note on the palate. We add Mosaic hops, then lager cold for weeks to bring it to full maturity. Smooth and refreshing, it's the perfect lager to welcome spring. Prost!
- Raspberry Wheat : Remember the 90’s, when flavored wheat beers and acid-washed jeans were everywhere? Well, acid-washed jeans are back, and, in the spirit of the fashion cycle, Hellbent is resurrecting another classic: Raspberry Wheat Ale. Light, fruity and refreshing, with fresh raspberry aroma and a semi-tart finish--this beer is a delightful way to beat the summer heat.
- Schwarzbier : 2004 gold medal winner World Beer Cup, 2005 bronze medal winner at the Great American Beer Festival. A dark German lager with low malt sweetness and hop flavor. A very easy drinking dark beer.
- Feond : Esteren Imperial Dark Saison
- Bootsy's Passion : Bootsy Farmhouse with Passionfruit
- SMaSH Series: Dumphounded : The 1st in our SMaSH Series, Dumphounded is a German steam beer brewed solely with Munich Malt and Tettnang hops. Very crisp and refreshing like a lager with added complexity coming from a triple decoction mash and Ale yeast.
- Amarillo Basic Bits : After experimenting with hops for the past 2.5 years, we realized we have yet to produce any single hop beers. So we are launching Basic Bits, a new line of rotating hoppy beers designed to showcase some of our favorite hop varietals. For the first iteration, we decided to produce a New England-style Double IPA brewed with Pale Malt, flaked oats and 100% Amarillo hops at a rate of over 8 lbs/bbl, with the Amarillo hops lending bright, juicy notes of apricot, tangerine, and grapefruit.
- Clocktower Red : This is our most complex beer.
- Slurry Bomber Stout : Our Slurry Bomber Stout is brewed as a Foreign-Style Stout. It has a distinct creamy, roasted-chocolate flavor that is nicely paired with the mild aroma hop nose characteristic of premium, noble hops. This stout is fairly dry, thick bodied, and very dark!
- Certified Evil : Certified Evil is the result of a 2008 collaboration project with Todd Ashman of Fifty Fifty Brewing in Truckee, California and Matt Van Wyk of Oakshire Brewing in Eugene, Oregon. Each brewer set out to create a dark Belgian strong ale with their own unique spin on the style. Since the first collaboration, six new breweries have been added to the project to invent a truly unique beer. This beer is properly named Certified Evil.
- Mccabe's Not Irish Stout : A very dark, full-bodied, roast ale with a complementary oatmeal flavor.
- Curly Tail Ale : Our lightest ale offering, Curly Tail is brewed with pilsner and Vienna malts, and two types of hops. A light and refreshing blonde ale that is slightly fruity with delicate hopping to balance the malt sweetness.
- Alvarado Street / Moksa - Summer, Summer, Summer : Collaboration juicy double IPA with our friends from Moksa Brewing in Rocklin. We've combined our methods to bring you an assertively bangin' hop aroma & flavor in this beer, with a pillowy-soft mouthfeel and very low bitterness. Simcoe & Citra take the lead with amplified fruity esters courtesy of an expressive, English yeast strain.
- Grand Cru : The Southern Pines Grand Cru is a rich, complex, and dangerously smooth Belgian Dark Strong Ale. Its deep, garnet hue and dense, persistent head foreshadow wonderful aromas of raisins, plums, and spicy esters. Rooted in the monastic principles of selling to live and not living to sell, we hope you enjoy this with quietude and receptivity! 
- The Citra'ation : The Citra'ation is a collaboration with Flying Fish Brewing from New Jersey. A hoppy, hazy pale beer fermented with a blend of ale yeast and wild yeast that are both known for producing heavy fruit characteristics reminiscent of peach and pineapple. Hopped with Citra, Mosaic and an experimental hop variety, the fruit characteristics from the hops combine with moderate acidity from a brief kettle souring to complement the yeast-derived flavor compounds. The end result is an incredibly juicy, fruity, hazy hop bomb of a pale ale with a funky twist.
- Pat's Hat : Rye porter brewed with honey from Fruitcake Orchards, and aged in Dad's Hat whiskey barrels.
- Little Scrapper IPA : To admit that the brewers at Half Pints are hopheads is an understatement. This India Pale Ale is unabashedly hoppy, with a grapefruit-like aroma due to a large addition of hops directly to the final tank (a process called “dry hopping”). A firm, toasted malt presence forms the background for all these hops lending balance so it’s not just a one note symphony.
- Lunatic Soup : Every year the hop farms come out with mysterious, experimental and nameless hops for brewers to evaluate. One of the newest hops to make the grade and be given its name is called Equinox, and we're hooked. A blend of three hops, this IPA is deceptively dark-ish but dry and all about the hops: big, fat, juicy hop flavors and aromas bursting from every tiny foamy explosion in your glass!
- Haymaker : Full body, hoppy, bitter but balanced ale. Light amber in color. Tropical fruit, citrus, and pine notes with malt and hop balance.
- Nanquim : This Imperial Stout made in collaboration with Cerveja Letra (Portugal) was fermented with cachaça yeast from Brazil, and later added Cocoa seeds from Bahia. Aged for 10 months in Portugal, in Port wine casks after a earlier stage in casks of a portuguese wine spirit called Aguardente Vinica, Nanquim revealed its a deep black color beer, with a unique sensory complexity.
- Strong Shoulder : Dark brown with sandy foam. Sweet dark fruits blend with chocolate and caramel accentuate gentle chords of fine tobacco and leather giving this ale a wonderfully complex aroma. Flavors are smooth and balanced chocolate-covered fruits with mild hop bitterness.
- Americano Stout : The coffee notes in Stone Americano Stout are bold, rich and full of American swagger. For each 120-barrel batch, we incorporated over 250 lbs. of artisanal espresso-roast beans into the mash and added in Columbus, Chinook, Amarillo and Cascade hops to invigorate the coffee taste with a slight citrus and resin hop presence. When it came time to selecting our coffee, we chose the same local roasters who contributed to our sought-after 2013 Stone ESPRESSO Imperial Russian Stout. Their fantastic beans helped us achieve this dark, hoppy and wonderfully aromatic espresso stout.
- Southern Crush : Southern Crush is brewed with Southern Cross, Loral, Ekuanot, and Azacca hops, giving it big citrus and tropical fruit flavors .
- Crony : Crony is designed to highlight the unique tropical fruit aromas and piney character of Simcoe hops. Layer these distinct hops on a smooth malt body and you get a NW Brown Ale with hints of garnet red.
- Porterback : Looking for tall, dark and roasty? Look no further as this brew boasts decadent coffee and chocolate flavors with a clean hop finish. This robust brew puts you in command to lead your night to the next level. It is dark brown in color with a scarlet hue. It yields a fluffy tan head with good retention but minimal lacing. Rich chocolate and toffee like aromas are followed with an earthy hop note. Roasted coffee and chocolate notes are dominate and finish dry with a clean but assertive bitterness. Medium to full body but not filling, putting you in the driver’s seat of the offense.
- Myrtle : Myrtle has a pleasant acidity from a Lactobacillus fermentation. Lemony Meridian hops grown in Silverton, OR enhance the citrus character of our house Lactobacillus strains and the fruity ester profile of our house farmhouse yeast.
- Scratch Beer 129 - 2014 (Fest Lager) : Although we’ve brewed many a Scratch Lager in the past, we’ve yet to do a bona fide Vienna Lager. Until now, that is. Developed in 1841 by brewer Anton Dreher in Vienna, the style is coincidentally uncommon in Europe today. However, it gained notoriety during the early twentieth century in the United States and is generally referred to as “Pre-Prohibition Lager” in today’s beer lingo. The defining characteristic of a Vienna-style lager is its toasted malt flavor, which elicits hints of crusty bread or fresh baked biscuits. Traditionally, it is darker than most U.S. produced lagers, and boasts an attractive reddish-brown, copper-tinged coloration. Although it took us a while to finally brew this classic style, Scratch #129 is here for your enjoyment. When will you realize Vienna waits for you?
- Gyroscope : Midwest fruit tart ale with 2600 pounds of raspberries and 45 grams of vanilla per 30 bbl batch.
- Dark Matter : Dark, lovely, luscious. The deep, dark brown color hints at the flavors within. With an aroma reminiscent of chocolate and freshly baked cookies, this beer is smooth, silky, creamy, full-bodied, roasty, toasty, and slightly nutty. This is one beautifully balanced, rich, and exquisite stout.
- Activate! (Kenya) : With Activate! we’ve taken a robust porter and infused it with local coffee, masterfully roasted by Jesse Medley of Union Coffee Roasters. Our black ale’s rich cocoa and subtle caramel notes provide a lovely base to freshly roasted Burundi, a bourbon varietal described as tart, juicy, with fruity characters of strawberry, blackberry, apricot, lemon, and grapefruit.
- Inverted Fields Ablaze : Brewed in collaboration with North Carolinian brethren Burial Beer Co and Sugar Creek Malt, this amber lager speaks vehemently to the terroir of the Midwest. Pilsner, Vienna, Munich and Maple Smoked malts were decocted for robust malt complexity. Fermented and lagered on yellow birch wood. Notes of sweet smoke, warm honeyed croissant, peanut brittle and the last cold night of spring.
- White Lightning : Sweet, heavy, hoppy, high alcohol beer. Named a Barleywine because it's alcohol content is closer to wine than beer. Estery and fruity characters are
- Big Operator : Belgian Black Raspberry, is a full flavored black ale brewed with imported malt, hops and yeast. This beer is aged for 6 months and infused with 150 pounds of real raspberries. Culminates with an amazing dark raspberry finish.
- Barley Wine : Barley wine is a modern term used for a very strong ale of unusually high wine-like alcohol content. Dark brown with a vast shattering attack of malt, hints of raisin, vanilla and a bitter sweet chocolate finish, this well aged ale (12 months) is a great finish to any dining experience.
- Pakala Porter : A Bold, full bodied, robust porter with a rich chocolaty, roasted flavor. Named after the aggressive surf break just up the road from Waimea Brewing Company, this beer is not for the light-hearted beer drinker, but is a sure delight for any dark beer fan. Approximately 4.9% ABV and 18 IBU's.
- The Killing Moon : Imperial IPA with bold hop-driven flavors of peppered peach, earthy herbs & tropical fruit.
- Belgard : A luscious, dark chocolate malt backbone married with fresh roasted cold brewed coffee.
- The Chief IPA : The Chief delivers a balanced wallop of malt and citrus hops, without finishing overly sweet or fruity. Continuous hopping with an array of American hops give this beer a satisfying and smooth citrus finish.
- Starry Nights : Malt Starry Nights is a light fruity ale with a dark side.
- Thirst Blossom : This is our very popular Spring seasonal. A golden bitter with a beautiful exotic fruit aroma. This golden beer uses Crystal malt and New Zealand hops to give its depth of flavour and aroma.
- Milkshark - Passion Fruit : This heavily dry-hopped Milkshake-style IPA was brewed with lactose sugar and apple pectin, and was conditioned on vanilla and a huge amount of passion fruit puree.
- Ooskie : Ooskie IPA is a deliciously fruity IPA. Right off the nose, this beer is super resinous, piney and pineappley. It’s a beer that has everything that is good and nothing that is bad. Its massive pineapple notes keep its body light and refreshing. This beer sits with a long-lasting white head and a brilliant clarity. It’s a smack-you-in-your-face-silly beer with bright, fruity, tropical flavors.
- Highland Scottish Ale : The Highland Scottish Ale is a creamy, nutty, malty, Loch Ness Monster of an amber ale; chocked full of rich roast barley, hearty peated malt, and fortifying flaked barley. While the subtlety of Willamette hops keep this beer keenly aware that it's made in the grey mists of Vancouver, this delightfully smooth ale is perfect for fending off the damp chills of the moors of Scotland.
- Pallet Jack IPA : Multiple dry hop additions deliver an awesome hop aroma filled with citrus, tropical fruit, and a touch of pine. The light body has just enough malt complexity to balance the hops. Multi time GABF medalist.
- Crystal Coast IPA : There’s that special feeling when you see the coast crest upon the horizon, and the sea greets you while crossing the Intracoastal Waterway. There’s a sense of wonder brought upon as the beacon flashes from the Cape Lookout Lighthouse. There’s a moment of exhilaration as the Shackleford horses breeze past, running free on the beach. This culmination of experiences is what makes the Crystal Coast such an extraordinary place. It’s the moments like these that inspired us to brew this IPA - hopped with Simcoe, Citra, and Columbus - giving it a bouquet of tropical fruit and vibrant citrus - concluding with a pleasant malt finish.
- Southern Passion + J-17 : We had to import these hops ourselves but it was worth it. Southern Passion/J-17 is an exploration of two relatively unknown new South African hops. The Southern Passion hop has some subtle passion fruit and lemon/grapefruit character along with some floral notes. The J-17 hop adds some gooseberry, berry, and some slight spice.
- Hazed In Captivity : Hazed in Captivity - that's what we call the tamed wild animal of a beer we brewed for the Taproom this week. Brewed w/Brettanomyces & massively dry hopped w/Galaxy & Nelson Sauvin hops. Love the fruity nose, dry finish, barnyard funk & citrusy flavor.
- Danny McGovern's Oatmeal Stout : Our brewer's signature stout. Smooth, dark and a little sweeter than the Sea Level Stout. Original recipe, brewed by him with the ingredients he wants in his stout.
- Portsmouth Schwarzbier : A black lager without the roasty character usually associated with a dark beer. Medium-bodied & quite drinkable.
- Remy's Pappy : For Remmy's Pappy, we filled barrels from an exceptional Bourbon distillery with our award-winning Imperial Russian Stout and let them steep for many months the transformation result in a beer similar to our original Remy: rich and roasty, with incredible flavors of marshmallow, coconut, and dark fruit, with additional layers of chocolate ganache and rare whiskey goodness. Enjoy!
- Big Wave Golden Ale : Big Wave is light golden ale with a subtle fruitiness and delicate hop aroma. A smooth, easy drinking refreshing ale. The lightly roasted honey malt contributes to the golden hue of this beer and also gives a slight sweetness that is balanced out by our special blend of hops.
- Head Stash : Brewed with Galaxy Hops and Mosaic Lupulin Powder. This double dry hopped monster has an aroma of a ripe bowl of fruit with all the flavors of nectarine and tropical fruit resin.
- Origins / Barberra : Origins / Barberra is the first in a series of barrel aged golden ales, refermented on single grape varietals. This inaugural version was made with rich, full, Barberra wine grapes. The resulting beer is like a beer/natural wine hybrid, bringing jammy fruit, and a soft acidity, to a dry tannic base beer.
- Tsunami Dark Ale : Our Tsunami Dark was crafted for those who crave big beers. Captivate all your senses, beginning with an aromatic tidal wave of fruity esters, caramel notes and hints of citrus. This toasty ale gleams with reddish amber tones and a thick, creamy beige head. Dive deep into Tsunami Dark’s full malty body as her lacing follows you all the way to a smooth, bitter finish.
- Citrus Galaxy : We invite you to jump out of light speed, turn off the warp drives and set the thrusters to "ah yeeeah" as you coast into and through the Citrus Galaxy. No citrus added to this IPA, but a favorable amount of Citra and Galaxy hops give this interstellar chill ride aromas of Mandarin oranges, grape fruit and a touch of lemon zest.
- Old Guardian Barley Wine Style Ale (2016) - Dry-Hopped With Pekko : From time to time, we like to tweak the recipes of some of our most long-standing beers—like Stone Old Guardian Barley Wine—to create unique variations. This year we’re taking it to the next level by dry-hopping it with Pekko hops—a new varietal from Washington’s Yakima Valley—which in turn add notes of stone fruit, orange, lemon and mint to this bready, toffee-like beast of a beer.
- Training Wheels : The bizarro Doozy! A golden session IPA made from the Doozy! mash, Training Wheels weighs in at a hefty 3.8 % abv. Moderately bitter and chock full of pleasant fruity, spicy, and piney hop character. Perfect for a day of carousing or a night out on the town. It tastes great and is also less filling. No really it is less filling and lower in calories than any other beer we have made.
- Church-Key Red Ale : Red Ale Although there is some dispute as to whether Red Ale is a genuine style or the same as English keg Bitter, our red is a traditional, typical and genuine REAL RED. Primarily our German imported caramel or roasted malt render the reddish hues as well as unique flavors. Unfortunately there are some unscrupulous breweries that add red coloring to their beer to achieve the desired color, then dub it a red beer. Our RED is a perfect balance of natural toasted malt characters and a light hop fruitiness. Our traditional brewery uses only imported naturally caramelised malt from the famous 125-year-old world’s leading Weyermann specialty malt house, giving this ale its distinctive colour and flavour, making this a very popular and pleasing ale for both restaurants and bars.
- Hops The New Fruit : This West Coast Style IPA doesn’t shy away from the traditional bitterness of a true IPA while at the same time showcasing bold tropical fruit character. The beer starts off with a nose of ripe tropical fruit, including Pineapple and Papaya. Mango and nectarine follow through on the palate along with notes of cantaloupe and honeydew rounding it out. Nothing is held back with the bright, medium body that allows the showcase of fruit character to shine through. No fruit was harmed during the making of this beer because Hops the New Fruit!
- Hoponius Union : This lager harmoniously combines lager yeast fermentation and west coast IPA hops. Our India style Pale Lager is like a traditional IPA but with a twist - it’s fermented cold and aged for extended periods. A blend of classic American hops creates a huge tropical fruit and citrusy hop aroma. A dry finish accentuates the pleasant bitterness and hop profile. Hoponius Union uses locally grown dehulled spelt from MA.
- Brains Craft Brewery A-Pork-Alypse : A-Pork-Alypse is a double-chocolate and bacon porter inspired by the eclectic brews of the States. Made up of a grist of Chocolate, Brown, Dark Crystal and Smoked malt, with freshly grilled bacon and cacao nibs added to the boil, A-Pork-Alypse has the nose of a bag of pork scratching with flavours of delicious chocolate and smoked meatiness. This is a porky porter you’ll either love or hate.
- Big Hundo : Definitely not your typical IPA…this beer is over-the-top hopped. We've calculated the final bitterness to be a staggering 100 IBUs. Extremely bitter with a dark-golden body and a heady American hop aroma, the Big 100 IBU IPA is among the most bitter beers out there.
- Heroica Oatmeal Stout : There are some things in life that require a certain sense of bravado: these might include ordering a quadruple espresso, deciding to sleep without a nightlight, or choosing to live in a region of the continent that is gradually sinking into the Pacific Ocean. If you're no longer scared of the dark, then there's no reason to be afraid of our stout. A generous portion of rolled oats and lots of black roasted barley give this beer a warm, roasted nose, and a distinct dryness that succumbs to waves of lingering satisfaction.
- Portsmouth Weizenbock : A dark wheat bock beer. The addition of NH maple syrup in the fermenting beer creates a complexity unknown in most beers.
- No. 21 German Dunkelweizen : Rich, dark version of the German Hefeweizen with a more complex taste involving hints of chocolate and dark malty sweetness.
- Cascadia Amber Ale : Bursting with the flavors and dry-hopped aromas of Cascade hops, Cascadia brings a little bit of the Northwest Coast to the Midwest. Expect a moderate hop aroma to show through a blend of roasted and deep caramel malts. The floral- citrus hop flavors that define the Northwest style are preset here, and are bolstered by an intricate blend of grains that finishes dry but with a caramel and nutty aftertaste that practically begs for a second sip. The base grains come from the small family farm that provides the malt for our High Desert Pale Ale.
- PM Porter : This award-winning dark ale is surprisingly smooth and drinkable. Caramel, molasses and chocolate flavors fill the palate. Its sweet start is perfectly balanced by a roasted dry finish. Nitrogen-conditioned.
- Sticke : Sticke (shtee-ka) is a German special alt that is darker and stronger than traditional Düsseldorf altbiers. Meaning ’Secret’, Sticke originated when brewers still measured ingredients by hand. When a brewer accidentally made a stronger, maltier beer, this secret was passed around by word of mouth and locals enjoyed the rich malt character and balanced, spicy hop flavor of this special brew.
- Furious Black : Created for Darkness Day 2015, its overall presence and citrusy hoppy aroma is recognizably Furious but with subtle roasted notes and black in color.
- Rock Hammer, Vanilla Porter : The subtle hints of chocolate and coffee that come from our inclusion of dark roasted chocolate malts are hard to resist. Throw in a touch of vanilla bean to round out the bouquet, and you’ll see why this brew is a testament to the balance of scientific calculation and artistic finesse that goes into each batch of beer we produce. The Rock Hammer Vanilla Porter may chip away at your dark beer phobias, but it will melt your taste buds while doing so.
- Morning Nightcap Coffee Porter : The beer lover’s consummate coffee beer; brewed with oat malt, which lends a powerfully silky body, and a hint of nuttiness. Brewed with Papa New Guinea coffee from our neighbors at Kalamazoo Coffee Company, there are rich notes of dark chocolate, dark fruit and tons of refreshingly intense coffee flavor. Suggested apparel pairing is your choice of smoking jacket, or bathrobe and favorite slippers the next morning. When the day drags on and the night’s too long , pick up a Nightcap.
- Granmuckle : Granmuckle is a Scottish-style Wee Heavy that combines the rich flavors of dark fruit, baker’s chocolate, and toffee with a sweet cinammon twist. ABV: 8.7% IBU: 23
- Winter Warmer 2012 : Dark amber ale with superior strength to keep you warm this winter.
- Raspberry Provincial : This 4.2% sessionable sour is truly a product of creativity, ingenuity, and luck. In the summer of 2013 we took a test batch of our sessional sour summer ale, Provincial, that didn’t quite hit gravity, and decided to have some fun with it! We added a heavy dose of raspberries. The end result was so delicious, we decided to recreate it! This delightfully tart fruit beer is refreshing, with a citrusy raspberry aroma which transitions to a subtlety sweet and tart finish.
- Wakerobin : A farmhouse rye ale with a complex spice character derived from both the attenuative yeast blend and the use of Valley Danko Rye. Sterling dry hops lend a floral hop note.
- Avalonia : Avalonia is named after a microcontinent in the Paleozoic era that now underlies much of the eastern coast of North America. This beer is our take on an East Coast IPA; originating out of Vermont from acclaimed breweries such as The Alchemist and Hill Farmstead. This style of beer is known for its hazy and juicy character. Brewed with two row malt and oats, Avalonia is vibrant and hazy with aromas of zesty pine, spiced orange peel and mango. It finishes full bodied with hints of cereal and lingering fruits on the palate.
- Cerise Cassée : Cerise Cassée is a complex beer in both process and palate. Multiple fermentations begin in stainless steel with our house ale yeast, then spontaneous refermentation and aging along with 300 pounds of sour cherries takes place in the infamous CBC barrel cellar.
- Rufous : Belgian Farmhouse ale brewed with organic Pilsner malt and local wheat from Nitty Gritty Grain Co. Floral and spicy notes from Australian Ella hops blend perfectly with fruity esters produced by an artisanal saison yeast.
- Gwin Du Oatmeal Stout : A Welsh Style Tribute Stout. Pronounced “Gwin Dee,” this robust dark beer is named for Paul Marshall’s distant in-laws who owned the famed Welsh winery said to be the real birthplace of Guinness stout. A historic blend of roasted barley, black and chocolate malts produce a smooth stout with notable dark chocolate and coffee aromas. This Welsh tribute stouts dry finish counterbalances the boldness of its roasted grains.
- Langobard : This white beer is tart with hints of cloves, just enough grapefruits were added to this beer to give a slight citrus nose and flavor.
- Smithwick's Imported Premium Irish Ale : Smithwick's is a clear beer with a rich ruby color and creamy head. Clean and delicate aroma with different individual notes: from the top fermentation by the Smithwick yeast come aromatic esters creating a fruity aroma. The Aroma Hops added late in the boil contribute clean fresh floral notes. Ale Malt contributes aroma hints of biscuit and caramel. 
- Midnight Confection : Complex layers of bready and roasted malts, coupled with English hops and yeast make this chocolate stout a treat worthy of returning for seconds.
- Spawn's Evil Brother : His sense of humor is was wicked. His jokes: deadly. Dark times call for a dark beer. This Imperial Porter was aged with brettanomyces and clocks in at 7.8% ABV.
- Scratch Beer 12 - 2008 (IPA) : Released as both Drafting Room 14th Anniversary Ale and Troegs Scratch 12. This bold IPA is brewed with Pils and Vienna malt and Amarillo, Warrior, and Mount Hood hops. It has fresh citrus and pine aromas followed by bold dry hop flavors, a faint nutty malt backing and a tantalizing hop finish that lingers on the tongue.
- Nitro Milk Stout : Our Milk Stout served on nitro. Silky smooth and complex with layers of dark baker’s chocolate, dark roast, black coffee, and caramel with a touch of sweetness from the addition of lactose that is balanced with a slight bitterness from the addition of roasted malts.
- Mr. Sandman : American imperial stout ranked #1 in the country in a blind tasting by Paste Magazine. No adjuncts, just copious dark malts. Released a few times per year.
- Single Speed : Our American blonde ale is a soft and delicate ale brewed with pilsner malt and jasmine flower. The addition of jasmine adds a floral and slightly fruity layer. Single speed pours a crisp golden hue with floral undertones.
- 12° : The 2015 release of our abbey strong dark is very exciting for us. Like its cousin the abbey style dubbel, the origins of the abbey dark strong are lost in the distant past. It is likely that a beer was brewed for the Lenten season that was richer and more nourishing than the table beers normally brewed by the monks of the middle ages. The prevailing theory is that such a beer is the predecessor of the modern abbey style dubbel and dark strong. Selkirk Abbey’s 12° is our take on this modern classic. Eminently rich and inviting, 12° has resinous fruit notes, with deep toffee and caramel. The layers of seemingly endless malt yield ever so slightly to allow hints of Tabaco and leather in the finish.
- Free Rise - Galaxy Dry Hopped : The newest edition of Free Rise, one of our signature farmhouse ales, highlights locally sourced Danko Rye from Valley Malt and Galaxy in the dry hop. A fruity hop profile is balanced with subtle, nutty malt character and a delicate black pepper spice. Light in body, with a clean, bone-dry finish, Galaxy Dry Hopped Free Rise is a welcomed addition to our family of farmhouse ales. 
- Black Note Stout : One of the most sought-after stouts in Bell's history, Black Note Stout blends the complex aromatics of Expedition Stout with the velvety smooth texture of Double Cream Stout and ages the combination in freshly retired oak bourbon barrels for months. The resulting harmony of flavors captures the finest features of all three components: malty notes of dark chocolate, espresso & dried fruits, all buoyed by the warmth and fragrance of the bourbon barrel. Aimed squarely at the stout and bourbon aficionados, Black Note makes a grand statement about the art of the dark.
- Elbow Patches: Huckleberry : Elbow Patches: Roasty, Creamy, Chocolatey. An Oatmeal Stout to be enjoyed with breakfast, lunch, dinner, or anytime in between. The use of flaked oats creates a smooth, velvety base that sets the stage for pronounced aromas reminiscent of chocolate and coffee. The surprising lack of astringent bitterness rounds out this dark beer's wide appeal. 
- Shale Pale Ale : This well hopped Pale ale is not for the faint of heart. It appeals to those who want a well balanced hoppy ale with aroma, flavor and bitterness working together. To showcase a beer that has been a staple for hundreds of years the crispness of the hops are accentuated by the local water and the use of a unique variety of hops that is new to the market. A medium bodied beer that has a long, complex finish; Shale Pale Ale is sure to be your favorite.
- Winter Strong Ale : This robust seasonal ale is brewed with rich Maris Otter, Crystal Medium, Chocolate, and Special Roast malt varietals. A dark, complex ale with an 8.6% ABV. Pairs well with anything Winter, including a nice cigar by the fireplace.
- Vieille Blonde Avec Frambois : Belgian-style blonde aged in Cabernet barrels with pediococcus and Brettanomyces Lambicus. Raspberry puree is added creating a secondary fermentation resulting in an ale with a brilliant red color, strong fruity nose, and a quenchable sweetness.
- Buddy Brew : American wheat ale brewed with coriander and grapefruit peel. A soft, smooth, golden body and subtle sweetness. Brewed specially for Buddy's by Griffin Claw Brewing in Birmingham, MI.
- Cursed Kettles : In collaboration with Prairie Artisan Ales, this dark sour ale is kettle soured with Prairie's house lactobacillus, then fermented with 100% bretanomyces; laid to rest on figs and black cherries in both wine and bourbon barrels for 3 months.
- Canvas Series: Rubus Viola : Rubus Viola is a luxurious dark ale aged in oak puncheons. Here, over one pound per gallon of decadent Boysenberries from Oregon's Willamette Valley combine with Violet flowers to lend layers of floral complexity and delicateness to this sour ale. Once this beer reaches its peak, we blend the puncheons to attain the perfect resonance of our house sour culture with Boysenberry and Violet.
- My Other Brother Darryl : Strong Golden ale aged in a French Oak wine barrel with Brettanomyces Bruxellensis and a fruity, estery Belgian ale strain from Ardennes.
- Briney Melon Gose : Born from our passion for experimentation, our Briney Melon Gose boasts a thirst-quenching tartness that is perfectly balanced by subtle watermelon flavors and aromas. Gentle additions of sea salt create a refreshing harmony between the acidity and fruity sweetness leading to clean, dry finish.
- Blonde : Crowned with a fluffy, white head and graced with a fruity, spicy, citrusy aroma, Dageraad Blonde is the pride of our brewery. A closer inspection reveals a note of nutty pilsner malt, whiff of noble hops, faint note of caramelized sugar and—when the beer warms—a sweet, floral breath of alcohol. And all that before you’ve tasted it.
- Cerberus Belgian Tripel : This beer is made with one grain and 4 Belgian yeasts, a deceptive golden color, and a malty palate lend complexity to this Belgian Trippel Ale.
- Valkyrie : Valkyrie is brewed following the traditions of one of the oldest beer styles in Germany - alt literally means "old" in German. However our version is a little stronger, maltier and darker than most of its German counterparts. Brewed with dark munich and pilsner malts imported from Germany, Valkyrie has a smooth toasty and caramel taste with hints of chocolate and sweetness balanced by a hefty dose of German Nobel hops.
- Insulated Dark Lager : Brooklyn Insulated Dark Lager is your protection against biting wind and soggy weather. German Munich, roasted Carafa, and Pilsner malts create a nimble, racy body, while a helping of American black barley adds just a hint of roast coffee. A light dry hopping of American and German hops pitter-patters across the nose and dives into the dry, warming finish. Try it with dark breads, hearty meats, and sturdy cheddars. If you still feel the chill, just add another layer and enjoy your insulation.
- Imperial Red Ale : There is such a thing as true happiness. The proof: whiskey and beer. So we worked with our Irish brethren to help marry the two. Introducing Imperial Irish Red Aged in Jameson Barrels. This richly robust, mahogany-hued ale has notes of fig, toffee, tobacco and whiskey. Aged for 6 months in Jameson Irish Whiskey barrels, this full bodied-beer has flavors of vanilla, molasses, dried stone fruits and black cherries with a distinctly peppery finish. Indulgent, subtly sweet with a warming linger, this is a beer meant to be sipped and savored.
- Exhibit W: Belgian Golden Strong Ale : Brewed by our Founders. Traditional golden Belgian strong ale with pronounced and complex fruity esters, hazy malt backbone and a crisp and a dry finish.
- Bronx Session IPA : This easy-drinking, yet wonderfully hoppy session IPA has loads of tropical fruit – guava, passion fruit and ripe mango – on the nose and a refreshingly tart, red wheat malt finish to its clean, light body.
- Mars (The Bringer Of War) : Mars is the first beer release in the "Planet Series," inspired by the symphony written by composer Gustav Holst. Mars is a Double IPA with an intense hop profile and malty backbone. The hop flavor and aroma is complex, with notes of tropical fruit, pine, and citrus. A generous addition of Munich malt gives Mars it's toasty, deep malt character.
- Pine Bough Pale Ale : Session-able pale ale with a hint of mountain pine. Copper in color, medium in body and malty sweetness with a high drinkability factor. The flavors and aroma sway between fruity and citrus with up front American hops and a hint of herbal mountain pine. Brewed with spruce pine needles handpicked from the Loveland Ski Area.
- The Abyss (Scotch Barrel-Aged) : The most multifaceted liquid truffle ever fashioned. Dark cherries brined in light peat smoke and popped into the heart of a prune. Then drizzled with toffee and flamed caramel, crusted with white and green peppers, and dipped in honey infused molasses. This beautiful construction is then delicately coated with rich dark chocolate and finished with a luxurious coating of milk chocolate and a dusting of cocoa powder and gold flakes. Served on a chard shard of oak with three sultanas and pieces of vanilla suffused marzipan.
- Jananna Dance Red Headed Ale : Sessionable hoppy red ale brewed by our GM Janna! Dark crystal malts combined with Citra and Mosaic hops and dry-hopped with more Mosaic. Ruby red ale with loads of hop aroma and flavor that makes you want to dance!
- Fleur De Ferme : A dark farmhouse ale with hibiscus, lavender and chamomile added at the end of the boil. Malted Spelt provides a silky full body that supports the late-kettle flower additions.
- Shapeshifter - Prickly Pear : This exotic rendition of Shapeshifter was fermented on prickly pear concentrate, imparting the added flavours and aromas of fruit punch and bubblegum on top of the existing grapefruit qualities from the hops. The prickly pear tannins mingle with the hop polyphenols producing a tenacious mouthfeel with a pithy finish.
- Dolden Dark : When the sun went down and the moon in the dark sea was reflected , the hard toiling dockworkers in 18th century London completed the day with a porter. In harbor pubs and taverns flowed the deep black beer galore. Our tribute to these hard-working guild is a full-bodied porter. Stronger than his ancestor , with a velvety smooth taste and a touch creamy coffee and chocolate, thanks to the carefully selected malts from the historic emmer and rusted spring barley. Perfect for every working day.
- Arctic Ale : Drawing inspiration from these curious and intrepid voyagers, our brewers have created this rich, robust, deep-flavored ale. Despite its dark coffee-like hue and aromas of bourbon, dark fruit, and chocolate, this ale is deceivingly smooth with a rich malt character and subtly sweet finish. While our drinkers today may not have the same need to stave off scurvy, this hearty ale is one that can be enjoyed today, but also placed in the hold for years to come.
- Eureka W/ Galaxy : An elegant showcase for Australian Galaxy hops, this riff on our favorite blonde ale has just the pale malt bill in common with her sister beer, Eureka. Delicate and pleasantly hoppy, with aromatic and flavorful notes of pineapple, passionfruit, and citrus, you'll have a hard time believing this one is so sessionable. Refined and bright, this is the perfect beer for any occasion. We absolutely adore it.
- Belgian Witbier : Pale, unfiltered Belgian-style wheat beer. Although light-bodied, it has complex orange citrus and spice flavors that are very refreshing.
- Cannonball : Few things are more synonymous with Wabash than the Cannonball. So famous that the name request for this beer came all the way from England. Slightly on the hoppy side for a Pale this beer is smooth and refreshing with a nice grapefruit note in the finish.
- Dark Matter : This twist on our house Saison is brewed with roasted grains to add a dark color and additional malt depth. A near black, deepest dark brown, ale takes shape in the glass and boasts characters of dark fruit, roasted coffee, black licorice, bubblegum, brown sugar, and spicy black pepper. This medium bodied ale has a semi-bitter and dry finish.
- Kiss My Irish Stout : This dark Irish style stout has some serious attitude. Like you’d expect, it’s hearty, rich and medium-bodied—and completely unapologetic about mixing hints of coffee and chocolate. Dry and moderately bitter.
- Paradise Pucker : Brewed as a tribute to Hawaii, birthplace of the tiki shirts worn by all Rogue employees every Tuesday for as far back as we can remember, Paradise Pucker is inspired by a classic Hawaiian juice hybrid combining passion fruit, orange peels and guava. The result is a delightful sour ale. Pucker up and embrace the tiki lifestyle.
- Edtima Zitrus Sauer : Grapefruit Sour Ale
- Hazy Hopster : NEIPA, hazy, juicy, and with a big explosion of tropical fruit (Mango, papaya) on the nose. This beer is more geared towards hop flavor and aroma than bitterness and aroma.
- Premiére : Premiére marks the grand opening of The Bruery Provisions in Old Towne Orange. A barrel aged strong golden ale, its a great introduction to our new location. Spicy with flavors of honey, caramel, light tropical fruits and bourbon. A beer that will surely mature beautifully with age.
- The Carpenter’s Mikan Ale : This year (2006) marks the sixth annual release of The Carpenter’s Mikan Ale. As the name suggests, it is an ale made with fresh mikans (a tangerine-like Japanese fruit). We receive the mikans as a gift from the Heda orchard of our carpenter friend, partner and mentor – Mitsuo Nagakura. It would not be an exaggeration to say that he is the complete embodiment of the dedicated, uncompromising and passionate Japanese craftsmen whom we so respect and whom we strive to emulate. The Carpenter’s Mikan Ale is our modest attempt to pay tribute to Nagakura-san as well as to all great Japanese craftsmen. 
- Calista : Soft pilsner using Callista hops for a gentle fruity lager. Bright and zesty apricot, blackberry, raspberry.
- Parson's Gold : This medium-bodied golden ale has a light bitterness and a fruity aroma and finish.
- Emancipation Pale Ale : Another twist on the American pale ale style. This is a deep amber ale that uses pale and dark crystal malts. It is generously hopped with Centennial and Chinook hops in the kettle, Cascade in the hop jack and finally, a healthy dose of pungent Columbus for dry-hopping. The result is a very American hop flavor and aroma seated into a rich malt background. The body is medium and hop flavor intense. (O.G. - 14.25P/1057. Hops - 52 IBUs.)
- Uptown Brown : This is a very special brew that you will only see once a year when we make our Owd Mac's Imperial. The Owd Mac's is made from a huge grain bill and only uses the first, sweetest worts. There is enough sugar left in the mash to make another full strength beer. The result is the Uptown Brown. It has a great roasty malt flavor and a deep brown color. It is gently hopped with Vanguard and Ahtanum hops to round out the flavor and aroma. The finish is extremely smooth. Although the bitterness level and the original gravity are identical to the John Brown Ale and the color is similar (though a bit darker), you will find this to be a completely independent brew. (O.G. - 13P/1052. Hops - 18 IBUs)
- Lambic Series : Hexotic : Hexotic is an ale with mango, passion fruit, orange, guava, mangosteen and guanabana that is fermented with brettanomyces Clausenii and various wild cultures. The beer is aged 2 1/2 years in wooden barrels.
- Gimme, Gimme - Passion Fruit Guava : American sour ale brewed with lactose, vanilla bean, passion fruit and guava. Tart, fruity and fabulous.
- Barrel Aged The Hyper Dog : Imperial milk stout brewed with @darkmattercoffee vanilla beans, cacao nib and aged in 12 yr Elijah Craig Barrels.
- Blacklight : European hopped dark farmhouse brewed with oats and midnight wheat.
- Scratch Beer 95 - 2013 (Kölsch) : The next installment in our Scratch Beer Series is another German style, the Kölsch. Developed in Cologne, Germany, this particular beer is warm fermented, then cold conditioned (or “lagered”) to bolster the fruity attributes present in the Kölsch yeast strain. Pale and straw-colored with a foamy white head, this refreshing, medium-bodied ale offers subtle hop bitterness and a slightly dry finish with hints of white grapes, spiced apple, and citrus fruit.
- New Hop Aesthetic : We brewed this DIPA with hops from Australia and New Zealand to create a pleasant tropical fruit flavor profile. Notes of citrus, star fruit, musk melon, and passionfruit will titillate your taste buds followed by a delectably bitter finish.
- 1814 Brown Ale : Developed using ingredients that would have been around in 1814, this beer was made to celebrate the end of the War of 1812. Its dark with a little sweetness and fruity esters. Pours great on Nitro.
- Hop Fiction : We’ve made India Pale Ales before (one or two), but until now we haven’t brewed a single one using the process which led to Hop Fiction. Not only is HP not dry-hopped, it isn’t kettle-hopped either; we have fired this IPA purely by wort and whirlpool hopping only. A huge, huge amount, as it turned out. The result is an upfront blast of mango, lychee and stone fruit, with a bitter, dry finish. It was a fascinating process to deploy – we think it has resulted in an equally fascinating beer.
- Endroits Gris : Grisettes were originally a refreshing after work beer brewed for miners in the region of French-speaking Belgium, and served by women wearing dark gray outfits. Our tasty version is brewed with wheat, spelt, and oats, and is lightly hopped with European hops. Have an Endroits Gris, and let a little light shine on all of our own dark places...
- French Oaked Stiff Stout : A full flavoured, complex stout combining roasted barley and chocolate malts aged on toasted french oak chips to create a rich, textured beer with a finish so stiff you'll never forget it!
- WF1 Belgian Pale Ale : Belgian style Pale Ale generously hopped with El Dorado, Jarrylo and Pekko hops. Fermented with a dry but fruity abbey yeast. Whole Foods exclusive.
- Notes On Achieving Orbit : Achieving Orbit, weighing in at 9.2% is our native fermented dark rye ale featuring North Carolina heirloom rye malt and a blend of flavorful dark malts. This rustic refined ale was fermented and aged in regional bourbon barrels with our blend of natively collected yeasts and then soured with our locally cultured lactobacillus. The result is a subtly sour, complex, full-bodied sour ale with notes of dark fruit and just a hint of bourbon barrel character to round out the flavor.
- Southern Pecan : Southern Pecan Nut Brown Ale is the first beer in the world, to our knowledge, made with whole roasted pecans. The pecans are used just like grain and provide a nutty characteristic and a delightful depth to the flavor profile. This beer is very lightly hopped to allow the malty, caramel, and nutty flavors shine through. The color is dark mahogany. Southern Pecan won a Bronze Medal in the 2006 World Beer Cup in the Specialty Beer category.
- Dark Horse Double Crooked Tree IPA : Have you read the description for the regular Crooked Tree yet? Well this beer is almost the same just double the flavor and alcohol. We actually took the Crooked Tree recipe and doubled all of the ingredients except the water, just the way a DOUBLE should be made. Big hops balanced with tons of malt give this beer a huge body. Although this beer is as cool as "The Fonz" when first purchased, it gets really mellow and smooth with some age. After a year or two stored in a cool dark place you'll notice the heavy caramel and malt flavors are trying to sneak past the hops. This beer is hugely delicious so it will need your undivided attention (the chores can wait....trust us). 
- Scratch Beer 33 - 2010 (Saison De Mueze) : Starting with a blend of pale malt and wheat along with honey malt - a pale Canadian barley with a distinctive sweet finish - Scratch #33 includes orange peel, coriander, elderflower and honey bush for a subtle fruit balance that complement...s the pepper zest of Saison du Pont yeast. Following the boil, the wort passed through our hopback (filled with spices) and then began a rapid ferment at a higher than typical temperature for an ale yeast. Following fermentation, Scratch #33 was bottle-conditioned with Westmalle yeast and warm-aged for two weeks to create a vibrant carbonation with an effervescent finish.
- State Of Funk #5 - Our Funky Beer : A collaboration with Bootleg Biology. We wanted this complex blend of funky/sour microbes to really shine so we fermented a Blonde ale in a Merlot French Oak barrel. The beer underwent a secondary fermentation with Vanilla Beans and 55lbs of Rainier Cherries added to the barrel. This type of cherry is unusual since they are yellow on the inside and mostly golden on the outside. Unlike most cherries these provide no color change in the beer, only flavor.
- Sweet Tarts: Maine Blueberry Sour Ale : Sweet Tart Blueberry marries crisp, fruity goodness with a touch of sour that is entirely refreshing. With a rosé-like effervescence and a tartness that teases your taste buds, Sweet Tart Blueberry hits you with the right amount of flavor in a perfectly light body. The blueberries in Sweet Tart Blueberry are grown by our friends Jon and Briar Fishman on their farm Elderflower Farm in Lincolnville, Maine. Enjoy!
- Kiwi Saison (Evil Twin Collaboration) : Collaboration with Evil Twin. Saison destined for aging in Chardonnay barrels with lactobacillus, Brett Claussenii, and kiwi fruit. 5.7% ABV, 5 IBUs.
- Cascade Nightfall Blackberry : "Nightfall Blackberry starts as a soured blonde wheat beer aged for 12 months in oak barrels, then laid on blackberries for another six. It features intense fruitiness and a concentrated color and aroma."
- Peach Sour : Part of our Kettle Sour Series, we've added a generous amount of Northwest peaches for a taste that is fresh, fruity, and tart with a perfectly dry finish.
- Vanilla Stout : Stouts, in the early 1700s, were traditionally the generic term for the strongest dark brown beers popular with street and river porters of London. By the last part of the 19th century, they'd gained the reputation of being a healthful, strengthening drink, so that it was used by athletes and nursing mothers, while doctors often recommended it to help recovery.
- Barrel Aged Coconut Double Black : This robust version of our black ale features a smooth, chocolatey, semi-roasted malt profile that sweetly balances out the doubled strength. Notes of oak and whiskey from an extended aging period in bourbon barrels creates a welcoming warmth. This iteration of our Double Black Ale features a shot of coconut for an extra level of flavor complexity and is the perfect companion for a late night viewing of the Northern Lights...or to accompany any natural wonder you may come across.
- Expressionism - Chocolate Truffle : For this rendition of Expressionism, we imparted the character of chocolate truffles through the careful use of cocoa powder, vanilla, and dark chocolate. Coupled with the base beer, the result is something teeming with mystery and intrigue. We taste dark fruits, chocolate, cocoa powder, and even a hint of cognac. There’s another note in there that we would best describe as herbal dark chocolate. This is a wonderfully unique beer, and one that will reward the curious and inquisitive palate.
- Barrel Blend #1 : Barrel Blend #1 is a collaboration with Gavin Lord of Pfriem Family Brewers. The beer is a 50/50 mix of an Oud Bruin that was extensively aged in both a foudre and smaller casks, with a batch of Six that we matured in former Oregon Native barrels with spent pinot noir grapes still inside. The finished blend has a tremendous oak expression and complex fruit flavors throughout, ranging from orange and apricot to cherry and petite sirah.
- Bunker : Lightly hazy and pale straw in color and appearance. Strong notes of grapefruit, orange peel, juicy fruit and pine in both flavor and aroma. Mild malt profile with medium body and subdued bitterness to help showcase big additions of Denali hops.
- Sille Saison : Saison, which is French for season, would typically be brewed during the spring months in Belgium for summer consumption. Sille, an unfiltered brew, is yellow in color and cloudy with a white head. Aroma has a slight sourness with a faint hop character. The flavor is dry, with a faint fruitiness and quenching acidity, and mild hop bitterness.
- GrandSire : Our GrandSire Ale is a Belgian Dark Strong Ale aged three months in Catoctin Creek rye whiskey barrels and brewed with Trappist yeast. It possesses bubblegum, toffee, and a bounty of dark fruit flavors with loads of barrel on the nose. We find it to be thick and sweet, but with a balanced booziness suitable for cellering.
- Bourbon Baby : Bourbon Baby is a baby scotch ale, which we've gone on to age in bourbon barrels. The scotch ale base is light bodied and low ABV, and brings toasted shortcake and blossom honey flavours; the barrel ageing adds a demonic, dark vanilla twist. Rich brown sugar, hints of smoke, spiced fruit, chocolate and raisins are just some of the multitude of flavours that have developed.
- Pink Fuzz : Not your Bavarian grandfather's wheat beer. We use grapefruit zest and pulp at different points in the process to insert the character of the fruit into the beer, and hops are carefully selected to emphasize the citrus notes. But don’t expect this to taste like the first course of Sunday breakfast; the fruit flavour is subtle, and the bitter quality of the grapefruit is balanced nicely by a bit of sweetness in the finish.
- Fruity Bits (Pina Colada) : Fruity Bits is a rotating IPA series inspired by our popular New England style IPA, Juicy Bits, and brewed with real fruit to complement the hop character of the beer. For Fruity Bits – Pina Colada we used Mosiac and Citra hops for their tropical fruit notes, then added a ridiculous amount of pineapple and raw and toasted coconut to compliment the juicy hop character. The result is the most fruit-forward and unique IPA we have released to date.
- Belgian Stout : Belgian start with a toasty, nutty, roasty finish
- Sanitas Saison : A contemporary take on a timeless classic, our flagship Sanitas Saison blends old world tradition and new world ingredients. Bright gold in color with a cloud-white head, expect this beer to glow with aromas of sweet apricot and bubble gum. Our unique Saison yeast imparts a refreshingly tart fruit flavor while French and American hops leave pleasant citrus and grass notes in the finish. A fine representation of the modern Saison.
- Devil's Harvest - 2016 Revamp : Devil's Harvest is an American Pale Ale with the soul of an India Pale Ale. Late-hopped entirely with Citra and Centennial, and then dry-hopped with the same one-two combo leaves a floral and fruit haze rising from the beer. Enjoy this new reincarnation, we are.
- Sour Barleywine : Traditional brown, English Barleywine with inense, complex malt sweetness and a sherry like quality. Full-bodied with balanced bitterness and a warm finish. Aged in wine barrels with wild yeast for 1 year.
- Shadow Caster Alt : Embodying the rogue qualities of Brad Pitt’s portrayal of Paul Maclean, this American-style amber ale is far from traditional. Its pronounced aroma sets the scene for rich, caramel malts on the palate, which in turn taunt with perceptions of fruity esters. The balance of strong, sweet maltiness with moderate hop bitterness makes a crisp ale with a clean finish. Get hooked on this one! He would pivot, reverse his line in a great oval above his head and drive his line low and hard downstream, again skimming the water with his fly…creating an immensity of motion… He called this “shadow casting.” – Norman Maclean, A River Runs Through It
- First Trax Brown Ale : Go big with our First Trax Brown Ale! Brewed with eight specialty malts, we created a surprisingly smooth chocolaty and nutty brew. Refreshing and fulfilling, it's the perfect close to a day in the mountains all year long. Brewed with eight specialty malts this deep brown ale has a surprisingly smooth mouthfeel. Roasted malts result in a wonderful chocolaty & nutty brew.
- Exit 10 Trail Mix : The last beer of our Exit Series, this smooth and tasty brown ale features notes of toasted malt, caramel, dried fruit and chocolate.
- Momotaro : This Brett forward fruit beer was aged for over a month with local Ontario peaches from this year’s harvest. Expect a considerable amount of fruity Brett funk and ripe peach upfront, followed by a pleasant tart finish.
- Loopy Oatmeal Red Ale : We love hops! Their tantalizing aromas. Their diverse and succulent flavors of citrus and spice. All the amazing ways they can be used in brewing. 3HB dedicates the Loopy to our favorite plant, the Humulus Lupulus. Enjoy the waves of tropical fruit intertwined delightfully with a creamy, velvety malt blend. Come get Loopy with us! 64 IBUs.
- With Love From Grimm : In celebration of Valentine’s Day, we brewed an elegant, intoxicating tripel finished with pink rosebuds. Crisp but rich, this tripel teases immense complexity from the simplest materials — just German pilsner malt, white sugar, continental hops, and a touch of rose. This golden ale is topped with a rocky head of Belgian lace, and boasts notes of black pepper, candied citrus, spicy hops, and fruity esters, with just the faintest hint of floral perfume.
- Lychee Pear Pale Ale : Slightly hazy and fruity with a touch of lingering bitterness. Brewed with two hop varieties from New Zealand, Wai-iti and Nelson Sauvin, this pale ale has a hint of lemon-lime aromas and a crisp white wine character. Lychee and pear purees add a fruity, grape-like taste that balances the herbal hop notes in this juicy amber brew.
- Monk's Blood : Belgian Strong Dark ale brewed with cinnamon, on oak chips with figs.
- Calm : Crushable IPA. Brewed with a touch of Munich and Vienna malts. Dry-hopped agressivley with Amarillo and Topaz. Well balanced and ambrosial. Notes of unripe stone fruit, resin, grapefruit, fresh baked bread, and grass.
- Immigration IPA : The Immigration IPA, the house IPA of LauderAle, is an Americanized version of the hoppy British style. You'll find a beer of beautiful burnt orange color with aromas of sticky citrus sap, pungent mango juice, pineapple, and earthy resin. American hops used late in the boil and during the end of fermentation exhibit flavors of citrus peel, tropical fruits, and mild pine resin.
- Nolte Blueberry Chipotle Stout : At first glance, this may seem like an ordinary stout. However, once you discover the strong blueberry aroma, you will realize that this beer is far from ordinary. The subtle smoky chipotle notes and blueberry character add a complexity to the classic stout flavor profile creating a unique and delicious beer.
- Moderation Triple IPA : Ironically named, this is a hop bomb of epic proportions. In true So Cal style, we use only Pilsner malt and dextrose to create an extremely light body, leaving no place for hops to hide. Nearly 60 pounds of hops burst with apricot jam, pineapple, passionfruit, tangerine, marmalade, melon, and grapefruit flavors, with a dry, warming finish.
- French Vanilla Militia (2016) : Dark Lord Aged in Armagnac Barrels with Vanilla, Cocoa Nibs, and Coffee
- Sleeman Red Ale - Rousse : Crafted from page 50 of the Sleeman family recipe book, this dark ale reappeared in 1993. With its rich sugary malt flavours – from a mix of Pale, Carastan and Black malts – and aromatic hops, it's a red ale that shares characteristics with traditional pale ale as well as brown ale.
- Tangled Up : Like all great love, the love of a sour blueberry is a lifelong exploration of spectrum ends: sometimes reveled, at times ignored, and regularly re-engaged the next summer when paths happen to cross. As farming and fictitious flavors progress in the modern age, the joy of that one special berry, among those couple sours scattered through a quart of otherwise sweet-ish fruit, is far less dependable and all the more poignant. In Tangled Up, we take a wheated base to a decently sour point and layer sweet blueberry, till it sits comfortably on both sides of the teeter-totter of this metaphor. Drink Tangled Up, and explore each point of view.
- Kamen Knuddeln Kentucky Common Dark Sour Beer : Originally brewed as a conceptualization from our friends at the Nachbar....This historical anomaly is one of the only styles of beer indigenous to the USA and it was originally brewed right here in the Bluegrass! Much like our more beloved and covet cousin sour mash bourbon, this ale is brewed in the manner of ’souring the mash’. First we start with a blend of grains similar to your favorite spirit, barley, rye, and corn and we start the sour mash. In that process, we are able to achieve a deliciously complex tart flavor that plays with the spiciness of rye, while finishing with a dry crispness from the corn. Moderately hopped to balance the sweetness of this Kentucky Common, one will get notes of dry fruit, sweet tarts, and hints of tannin from a very small amount of barrel aged character.
- Grapefruit Sour (Heavy Kettle Project) : The Heavy Kettle Project fuses our love of metal and the process we use to create a lineup of smashingly fruitful American KettleSour beers. Refreshing in every way, this Grapefruit Sour melds bright citrus juice with a dry tartness from the souring process. Incredibly crushable and extremely delicious.
- Blonde Ale : Malt: Pilsner, münchener, pale caramel and dark caramel
- Rojzilla : Rojzilla – Michigan Sour Biere. Aged for a year-and-a-half in a 100-bbl oak foudre before being blended with a few “normal” size barrels of varying ages to create a complex, mellifluous combination of flavors and sophistication
- Methusalem Holunderheimer : Methusalem is The Monarchy’s perilously drinkable version of a classic “Adambier”- the slightly sour & hoppy strong Altbier that enjoyed great popularity in 19th-century Dortmund. Methusalem Holunderheimrr goes one step further with the addition of sweet, dark, juicy elderberries.
- Bourbon Evil Urges : Belgian Dark Strong Ale aged in Bourbon barrels
- Planete Bruin : Soured using Brettanomyces Bruxellensis and Brettanomyces Lambicus. Blend of 4 different beers: 3 Belgian-Style Brown Ales (all Pinot-aged) from February 2014, November 2015, and December 2015, and The Stoic Belgian Ale (Sherry Aged) from May 2014. Aroma - Vinous (wine-like), Cherry, Berry, Dried Fruit, Oak, Pepper, Popcorn, Toasty Flavor - Sour, Cherry, Oak, Dried Fruit.
- Adoration Ale : Ommegang Adoration, brewed in the authentic style of Belgian winter, or noel beer, is dark, malty and assertively spiced.
- Bourbon Barrel Cru : "Hardywood Bourbon Barrel Cru is brewed in the fashion of the abbey quadrupel, the grand cru of many of Belgium’s revered monastic breweries. Bourbon Cru displays a sunset orange hue with a substantial head and brilliant clarity after months of barrel aging. The maturity and melding of flavors brought on by the freshly drained bourbon barrels lends an extraordinary sense of harmony to Bourbon Barrel Cru. Almond toffee and oaky vanilla aromatics give way to dark cherries, raisins and mature whiskey. A bit of plum flavor is greeted by caramel overtones and an assertive yet incredibly rounded body and a lingering, bourbon-laced finish.
- Winter Warmer : A hoppy English Old Ale that is amber colored with a malty sweetness and fruity esters that complement the late addition citrus hops.
- Pecan Brown Ale : This American Style Brown Ale is brewed with pecans directly added to the mash. That, and six different malts is what gives this ale its distinctive nutty malty flavor.
- Black River Gumbo Stout : This dark deliciousness is named after the gumbo dirt of the Des Moines River bottom which nourished our Peace Tree and is now used as the surface for Knoxville’s famous Sprint Car track. Instead of using traditional ale yeast required of a stout, a Belgian yeast was used to add complexity. This stout is brewed with high quality pale malt, three roasted malts and two caramel malts. The dark roasted caramel malts contribute to the chocolate and toffee characteristics. Three varieties of hops contribute to the bitterness and aromas of this beer.
- Lucy's Sour Strawberry Wheat Ale : This sour style wheat beer is strawberry blonde in color, and pleasantly tart with notes of lemon, rhubarb, and grapefruit. Light and crisp on the palate, the fresh strawberries balance the acidity in the background, ending with a refreshing, dry finish.
- Saving Daylight: Huckleberry : Saving Daylight: Crisp, Refreshing, Citrusy. A quaffable American Wheat Ale brewed with orange and grapefruit peels. The hop back addition of whole-cone Centennial hops balances the citrus and provides a subtle yet flavorful bitterness. This complex take on a wheat ale is brewed for the days you just don’t want to end! Variant Additions: Huckleberry purée.
- Jack The Sipper : 1888 was a bad year for London. Tiddlywinks was invented and Jack the Ripper went fulltime. We don’t know who Jack was, but there’s a good chance he enjoyed porter, the official beer of all who did London’s dirty work. With notes of roasted malts and a rich, creamy finish, ours is so dark you could lose a wanted man in it. A fitting tribute to the world’s reigning hide-and-seek champion.
- Sixteen : It's our sixteenth anniversary and we brewed a wheatwine to celebrate. Dark Ruby with a toffee and caramel maltiness. Brewed with wheat malts instead of barley to increase drinkability in this huge beer. Just enough hops to balance out the sweetness. Here's to another 16 years!
- Old Chub NITRO : OLD CHUB NITRO takes you deeper into the rich, malty flavors of the original brobdingnagian Scotch Ale, while the nitrogen widget liberates a cascading, uber-silky smooth oral experience only the CAN provides. This jaw-dropping Scottish strong ale (6.9% ABV) is brewed with bodacious amounts of malted barley and specialty grains, and a dash of beechwood-smoked malt. Old Chub Nitro features semi-sweet flavors of cocoa and coffee, and a wee-bit of smoke. A head-turning treat for malt heads and folks who think they don’t dig dark beer.
- Newport Storm - James (Cyclone Series) : Named after one of our brewers, James was brewed to be a Strong Scotch Ale traditionally known as a “Wee Heavy.” Brewed with a massive malt bill and mashed in at a higher than normal temp, we aimed to create a very complex malt profile. By using some Belgian crystal malt and boiling for an extra 30 minutes to create kettle caramelization, flavors of caramel, smoke, raisins and brown sugar abound. The use of a small percentage of Peat malt in the mash gives James the traditional smoked character found in Scottish Ales. James was lightly hopped with English hops, enough to give it balance, but without interfering with the malt characteristics that make this brew one to warm you to the core.
- Alaskan Icy Bay IPA : Alaskan IPA is honey gold in color with a fruity, citrus aroma. An enticing blend of hops and our dry hopping process, in which hops are added directly to tanks during fermentation, give this brew a very intense, complex aromatic character with a refreshing hop finish.
- Kidd Lager : "A hint of smoked malt compliments the chocolate malt in this surprisingly light bodied Schwarzbier. Experience Kidd's intriguing aroma and complex flavor as you enjoy this remarkable style of beer."
- Wilde Olde Ale : The inhabitants of the rugged hills and dales of northern England and Scotland like their beer strong, dark and sustaining, with the mellowness of age. So it is with our Olde Ale, a hearty, malt-accented brew which lives up to the promise of its dark brown colour. This is not just any old ale, mind you, but Wilde Olde Ale, to honour the somewhat peculiar playwright.
- Russian Imperial Stout : Originally brewed to impress Czars, Russian Imperial Stouts needed to be high in alcohol to prevent freezing on the long journey to the Russian courts. Brewed with 14 different malts to create a complex, deceptively drinkable, giant of a beer, Bomber RIS is packaged in 473 ml cans making it the most portable of Russian Imperial Stouts. Trip to the old country not necessary.
- Smoked Porter : Our Smoked Porter uses 80 pounds of malt that has been slowly smoked over a hardwood fire. This is added to our basic porter to yield a flavorful, but not overly assertive smoked flavor. German Perle hops provide a light bitterness, and the steam style lager yeast ferments nice and clean, allowing the smoked and dark roasted malt flavors to dominate.
- Scaled : Scaled is the first IPA brewed and packaged at our Canton, MA facility. In the Spring of 2018, we implemented recent learnings from our Permutation program to breathe new life into this milestone beer. The newly developed fermentation profile and grist coupled with foundational elements from a larger hop charge of legacy hop varieties take this IPA to the next level! El Dorado, Citra, and Columbus hops create an aromatic blast of juicy mango, pineapple, and lemon candies. Pineapple, sweet orange and pink grapefruit flesh follow on a medium bodied palate that finishes with a soft, mild to moderate bitterness.
- Your Lytest One : A collaboration with Dry and Bitter Brewery from Copenhagen, Denmark. A solid base of pale ale malt, generous additions of rye malt and roasted barley lend this stout a ton of complexity. Feel yourself hover above the ground, feel light and airy just like you would with the Danes. This beer is what you want to feel like a light has been turned on inside your body, let yourself be illuminated with the power of a Danish stout. Cheese danishes are not included, bring your own.
- Fugli : Yuzu & Ugli Fruit IPA
- Sky Ladder : American Pale Ale w/ Galaxy, Mosaic & Simcoe - Mango, Passionfruit, Mandarin Orange
- Two Rivers Rye : Our two rivers rye starts off with a rich fruity hop character and finishes with a smooth light finish of rye, imparting a very dynamic and slightly dry finish.
- Von Tassel : We cleaned out the pumpkin patch on the farm to fill the mash tun for this beer! Using 80 lbs of earth oven roasted pumpkin flesh, we made a bright fall blonde ale with a fruity and floral sweetness and a light, grainy finish. With its subtle spice notes reminiscent of earthy ginger from the special belgian yeast alone, this blonde will have you throwing pumpkins at all rivals.
- Laydown Stay Down : Laydown Stay Down, otherwise known as LSD is our Belgian Style Strong Ale. The origins of the LSD date back to a voyage abroad in 2006 as invited guests of a Dutch Trappist Monastery. Walking through the Estate we saw first hand the monks' self sustaining and simple lifestyle. As we toured the monasteries' church, farm, garden, bakery, and brewery we drank a variety of strong, complex, and delicious Trappist ales. The euphoric affects of these medieval high octane brews knocked our socks off and inspired the creation of this Quadruple Style Strong Ale. After several fermentations, dark fruit flavors, spice, figs, toasted plum and nuts from the malt and yeast intertwine with the sweetness of the Belgian candy sugar to strike a perfect balance with the spicy bitterness of the European hops. Don’t be fooled, for the strongest beer in our portfolio has an astonishing drinkability and a reputation that speaks for itself. LSD is brewed for winter celebrations and hibernations so lay back, take a trip and enjoy the ride.
- Westmoreland White Belgian IPA : A substitution of wheat for our base grain (2-row barley) gives this summer seasonal a lighter, cracker-like malt backbone, which supports a tropical fruit forward hop bill: Belma and Crystal. Then we fermented this batch with a blend of our house American Ale and seasonal Belgian Ale yeasts, layering it with fruity esters and spicy phenols.
- Shook Ones : Shook Ones is a blend of three of our favorite hops with an intense rate of kettle and dry hop additions. It pours bright yellow and has a taste of mixed tropical and citrus fruits, candied orange, underlying dankness, with a hint berry. It finishes smooth due to the use of oats and white wheat.
- West Coast IPA : Hop-forward India Pale Ale, brewed with a punchy blend of mosaic, Citra, & cascade hops for a nose full of peach, mango, & grapefruit, with just enough bitterness on the backend to get your attention. 
- Magnetic Compass : Magnetic Compass prominently features NZ Rakau hops, bringing a unique mix of candied orchard fruit, stone fruit, and tropical aromas with some light dank elements. Background notes of Citra, Mosaic, and Columbus. Very hazy and juicy. Roll your can to suspend hop particles and enjoy.
- Penance Porter : Porter is a style of beer which originated in London, England in the 1700's. It became very popular there until it's decline in the 1930's. A separate style of beer evolved from a porter, called a stout. Now a porter is typically the step between a brown ale and a stout in both color and body. Our Penance Porter is a robust porter. The color is very dark but not black. You may notice some dark red color. The aroma is noticeably roasty with a complex ester (fruit-like) quality. It is also dry hopped with Cascade hops, so you my notice a floral note in the nose. The body will be quite full and rich with caramel notes and more roastiness. When the beer finishes the bitterness from the hops nicely balances the caramel maltiness, then lingers for a moment before it's gone.
- Peach Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Peaches bring enhanced complexities with slightly tart, yet unsweetened flavor additions. Peach Soak is dry with undertones of oak and wheat. 
- Ganache : Dark Ale fermented with brettanomyces and aged on local fresh raspberries.
- Burst! IPA : Our latest IPA creation, uses a new technique designed to maximize hop character. Unlike traditional hop additions, where bittering is achieved by boiling hops for an extended period, all the hop bitterness, aroma and flavor for this one is achieved by holding back the hop additions until late in the boil. The Result? A BURST of hops unlike anything we’ve done before. Hop varieties include some of our citrusy favorites like Simcoe, Amarillo and Citra and a new hop to us, Eukanot, which adds some tropical fruitiness.
- Alligator Ale : Our Alligator Ale is a rich mahogany colored ale with a surprisingly smooth finish. This beer is perfectly balanced with flavors of dark malts and hops.
- Backspin IPA : Everything old is new again. When we started brewing - Centennial, Cascade and Chinook were staples in almost all IPAs, but recently have fallen by the wayside. We’ve taken these classic hops and merged them with a healthy dose of Amarillo, a balanced malt bill, and a little bit of love. Some say these hops are past their prime but we are excited to blend them into future hoppy beers. So stop by this week, enjoy the break in the weather, and be reminded that these hops are still delightful. Notes of grapefruit juice, apricot and peach candy, flowers and lemongrass.
- Sticky Nicky : "Sticky Nicky" 420 Dank and Citrus IPA brewed with Summit, Exp Grapefruit, 07270 and ADHA-527 hops! Brewed in honor of Nick Gonzales!
- In the City of Flowers : Sour Blonde with Jasmine and Stonefruit 
- EOS Hefeweizen : This medium to full-bodied beer, pale to amber in color, is most accurately described as a Bavarian wheat beer. The aroma and flavor of this unfiltered beer is decidedly fruity and phenolic — a big word for a brew that tastes like cloves, nutmeg or sometimes vanilla with banana-like esters.
- Deduction : Take a Deduction, our abbey-style dubbel. This effervescent ale showcases sweet, malty notes with hints of dark fruit, complemented by mild bitterness from classic European hops. Belgian candi sugar helps deliver a light, dry body to this dark, approachable dubbel.
- Quite Something : Quite Something is a golden sour beer aged in French Bordeaux wine barrels. Fermented with a collection of special microorganisms, this beer presents subtle notes of oak with nuances of crisp grapes and fresh berries. Complex and refined, these flavors dance somewhere between beer and wine.
- Nessie On The Tube : We utilized a vast array of malts to add complexity to this sessionable ale. Our deep mahogany colored Porter has a nutty biscuit-like flavor with notes of roasted fig and caramel. A medium dry finish lends this beer to be an everyday drinker.
- Double Seesaw: Raspberry : The Seesaw series is our gose playground. Designed to capture delight and fun in the form of an easy-drinking and flavorful beer. Each Seesaw has a unique fruit addition to pair with balanced tartness, a touch of salinity, and ABV on the lower side. The nostalgic thrill of warm-weather fun, reimagined in one of our favorite styles. The number of Seesaws dictates once, twice, or three times the fruit added.
- Libertine : Thanks to our neighbors Jon and Martha Sundquist at Rivers Turn Farm, we were able to make a series of new harvest seasonals utilizing their orchard fruit. "Libertine"is made with a single variety of Liberty apples. Hand-picked, then pressed here on the farm with caring hands makes this yet another special Agrarian offering. We added the apple juice directly in with the barley wort to converge their destinies and ferment together. The aroma of this bright golden brew is like apple perfume, light, fruity, and sweet. The body is medium with a suprisingly beer like mouthfeel. The tartness of the apples is present in the finish, which is dry and crispy despite the rich malt and candied apple flavors lingering on the palate. Libertine's apple flavors and aromas are reminiscent of a cider, but the body and mouthfeel remind you it is most definitely beer. One might say it is the best of both worlds...
- Guard Dog Porter : This full bodied dark Ale, is filled with flavor from Chocolate Malt and Roasted Barley. Nugget hops provide nice bitterness and flavor, with Fuggle hops providing a balanced earthy aroma. Great beer for the dark beer lovers in all of us. OG - 14.5 FG - 4.0 IBUs - 30 ABV - 5.6%
- Infinite Wit : A light-bodied Belgian wheat beer brewed with Organic Orange Peel and Organic Coriander. Light and refreshingly crisp with a mild fruity/citrus character.
- Zephyrus : Zephyrus is a spelt super Saison fermented with a freaked out blend of yeasts and conditioned on our proprietary blend of citrus fruit. We conditioned Zephyrus on blood orange, lime, and grapefruit.
- Knights Of The Barleywine (Cognac Barrel Aged) : Deep in the Florida Swamps lies a setting that few would brave. Reeking of bubbling wort and lewd conversation, riddled with darkness and absurdity, this convention takes place just before the dawn of each new year.
- Portsmouth Imperial Pilsener : This Northern European style pils is similar to the Friezland Helles style, with a bold hoppiness and a touch of fruit.
- Brinkley's Maibock : This beer has a very full and complex flavor that is best enjoyed slowly, allowing the different flavors time to develop on your tongue. You will find that it changes as you progress from the first taste to the lingering finish. The malty sweetness is well balanced and blended with hop bitterness, giving a full, rich blend of flavors. A generous quantity of pilsner malt is joined with a little bit of caravienne for color and some carapils for body, along with plenty of Munich malt for flavor and aroma. This beer is lightly hopped with Yakima Perle and German Hallertau.
- XX Mountainberry Double Wheat Ale : Grand Teton’s original fruit beer, Huckleberry Wheat, was brewed for about five years beginning more than a decade ago. It was light and sparkly, with just a hint of sweet-tart mountain huckleberry. 2008's celebratory version is bigger in every way—more than double the original’s malt, fermented to 7.6% alcohol by volume, then flavored with more than a pound per gallon of fresh Pacific Northwest huckleberries, blueberries and marionberries.
- Higher Love : This American Pale Ale is tremendously floral with notes of jasmine and rose and hints grapefruit and lemon. Hopped with Amarillo, Centennial and HBC 344. 
- Pilgrimage Extra Pale Ale : Pale golden in color, a crisp & pleasant fruit like aroma, bready, moderate hop character, dry finish.
- Galaxy & Comet IPA : Always curious to find out what happens when worlds collide, we combined a slice of rustic Americana with a rising star from Down Under. Galaxy hops, grown exclusively in Australia and revered for their clean, bright aromas, lend notes of passion fruit, citrus and peach. Comet, a descendant of a North American original, packs a wildly bitter punch with an invigorating blend of grapefruit, lemon and orange flavors.
- Grapefruit Hug : Our Mouth Hug DIPA with grapefruit puree added.
- Houndstooth : This is pretty much black raspberry Dynamo Hum. 3 ½ year old Dynamo barrels conditioned on a pound per gallon of black raspberries. A higher concentration of fruit makes for one of the most fruit forward beers we have ever produced. Its purple!
- Sour'd The Duck : Starfruit and Coconut
- American Bungalow Brown Ale : Four malts and a bit of oats are used to design a dark ale with pleasing caramel malt undertones. Subtle hop additions in the brewing process finish this great tasting and easy drinking brown ale.
- Funky Boss : Barrel-aged sour blonde aged for 11 months adding Passion Fruit and Apricot puree; 4th anniversary beer.
- Cranberry Wheat With Orange : Thanks to the tartness of the cranberries, Cranberry Orange Wheat is crisp and snappy, yet it's fruity and zesty due to the addition of sweet orange peel. A harmonious blend of fruits and beer, our Cranberry Orange Wheat is pink in color with a tart finish, with the cranberries taking center stage, charming you with a refreshing finish to this approachable autumn ale.
- Wee Dram : A Scottish inspired 90 Schilling ale. Dark Crystal malt blended with roasted barley and Scottish Golden Promise malt 22 IBUs.
- Grande Dame Oud Bruin : A sour brown ale, brewed in the Flemish tradition, that rivals even the best Oud Bruins coming out of Belgium. Elegant and rustic, and full of complex flavors, berries, spice, and a hint of nuttiness, this is a great beer to share with friends on a special occasion.
- Harvester Of Simcoe : Harvester of Simcoe has aromas of passion fruit, bright pine, berry and earth, followed by some bready notes. The taste is a creamy pine flavor supported by tropical notes and a firm but rounded bitterness.
- IPA For Change : Dark green wax.
- Sierra Nevada/Novare Res Beer Camp #136: Jimmy's Black Box : AKA Ahnold Schwarzenlager, brewed as a Dark Strong Lager or Schwarz Bock.
- Dead Kenney : Dead Kenney was crafted with a more complex malt bill to balance the fresh hop flavors from 350 pounds of fresh Centennial hops.
- Vanilla Bean Porter : There’s nothing simple or run of the mill about this “little pod” harvested from the finicky vines of vanilla orchids found on Indian Ocean islands. The thousands of richly aromatic seeds buried inside each of these plump vanilla fruit pods became our beer-making muse for this porter recipe distinguished by chocolate malt and Madagascar vanilla bean. This latter luxe ingredient imparts a delicate creaminess and palate-seducing softness. Additionally, its presence heightens the roundness of the chocolate undertones and hints of coffee typically associated with beers of this style. Dripping in the world’s second-most expensive spice, this porter is extremely drinkable, with just the right amount of vanilla bean richness and deepness.
- Oak-Aged Monadnock Rye Ale : American oak accentuates this Brown Rye Ale, adding notes of vanilla to its subtly floral, fruity flavor. Hallertauer and East Kent Goldings hops round out this smooth, spicy rye ale.
- KLB Nut Brown Ale : A classic brown British ale rich in colour and taste, this beer is crafted with six different malts and finished with East Kent Goldings hops. Dark brown in colour, Nut Brown has a full malt body that settles smoothly on the palate towards a slightly sweet finish. Hints of honey and chocolate malt give it a truly unique flavour.
- Black Oak Double Chocolate Cherry Stout : A good solid stout packed with all the flavours you’d expect with an extra twist; great malt base, dark chocolaty backbone from two perfectly balanced sources, soft carbonation and a subtle taste of tart cherry in the finish. The Hop character is just present enough to enhance the chocolate malt & cocoa. Cocoa notes in the nose and a chewy yet velvety mouth-feel. Gorgeous lacing remains on your glass. This addition to our seasonal portfolio showcases our brewing skill, focus on quality, character and consistently great flavourful beer. Slow brewed and hand crafted.
- Vital Spark : Vital Spark is a beer that is hard to categorise, occupying a space between stouts, porters and milds, but it’s unique character has created a loyal following, including among many of the top beer writers and judges. Starting with hops on the nose then giving away to rich, dark malt flavours, this deep red ale is full of roast barley in the grist and well hopped with Amarillo and Cascade hops to give a unique and delicious flavour.
- Maximum Darkness : A darker than dark Oatmeal Stout with complex coffee and chocolate flavours and a sweetness on the palate with a satisfying bitter finish. Maximum Moreishness!
- RU-Deep-2 : Beep bloop blop bleep boop. This IS the droid you are looking for! Coming in at 8.5% ABV and 51 IBUs, this double IPA has wonderful aromas of Meyer lemon, grapefruit and biscuit malt that lead into a dry finish. RU-DEEP-2 is only available for a limited time ... it will be gone faster than an imperial starship making a jump into hyperspace.
- Atomic Fusion : A thirst quenching golden ale with a wonderfully aromatic fruity flavour.
- Vexillum : Vexillum, an ancient Imperial Roman symbol for strength and nobility. This insistently hoppy IPA reveals notes of Grapefruit and Melon while finishing bitter, yet affably balanced.
- Our Special Ale 2016 (Anchor Christmas Ale) : The 2016 Christmas Ale is a deep mahogany brown with a creamy, tan head and boasts aromas of fruitcake, molasses, and fresh cut wood. The beer tastes of a roasted caramel malt, with notes of spiced chocolate and nuts. And it has a rich, smooth, and velvety mouthfeel. Every year the Anchor brewers look forward to formulating a new Christmas Ale recipe and tasting the fruits of their labors. We are always excited to please beer fans with its ever-changing recipe and label. Cheers from the Anchor brewers!
- Bergman : Wild blonde ale aged in oak with brettanomyces, lactobacillus, and pediococcus. Light stone fruit, bold, vinous oak.
- Gitana Brown : Pours dark brown with a lasting tawny head. Taste of hazlenuts with a light biscuit tastte, and a crisp sweet finish.
- Tundra Wookie : Belgian Dark Special Ale brewed with Lambic Yeast and aged in Oak Barrels with Tart Cherries.
- The Demon's Farm : Dark Ale Matured 40% in bourbon barrels & 60% pinot noir barrels with oregon cherries.
- Abita Select Belgian White : Our Belgian White is made with light pale malt, malted wheat, unmalted wheat, and oats. The oats are added to give a very light color as well as body to the beer. The wheat is used for a couple of reasons. First, with its high protein content, it is used to make the beer cloudy. Also, when it is mixed with the special Belgian yeast it will give a fruity aroma and taste. The beer is hopped very lightly with English Kent Golding hops so as to not overpower the spices. Finally, in keeping with tradition, it is spiced with coriander and orange peels. Also, like all other Belgian White beers, it is unfiltered. This will make the beer slightly cloudy, but it will also make it more flavorful. The result is a cloudy but light colored beer with a pleasant fruity aroma and refreshing aftertaste. Summer is approaching which means that an Abita Belgian White will be the perfect refreshment to get you through the sultry summer heat.
- No. 04 Downtown American Brown : Rich and flavorful brown ale with distinct nutty overtones.
- Sterling : "Sterling" - a super unfiltered yellow/orange hued ale- balanced evenly between top cropped house yeast fruity esters & zesty Sterling Pellet Hop spice. The hops were harvested & Pelletized at Gro-Moore farms in Henrietta NY. Sterling hops are a lower alpha hybrid of saaz hops (used predominantly in pilsners for zest/pine & delicate bitterness) and Brewer's Gold ( an early aromatic strain known for its floral qualities w/ slight fruit). The malt is mostly "special pale" from Flower City Malt Lab in Rochester, NY along w/ a hand full of unmalted NY white wheat. Aromas of pineapple, wheat, pine, green, yeast. Flavors of pine wood, clove, banana, and fresh cut flowers.
- Islander Porter : Infused with toasted coconut giving a substantially dark and malty flavor profile. Its complex character is not one you’ll soon forget.
- Kuhnhenn Nine : This beer is a Belgian Dark Strong, black in color, it has aromas of rich dry malt and a slight caramel sweetness. Rich and smooth there is not any bitterness to this full bodied beer. The high alcohol level in this beer provides some balance of it’s malty palate.
- Self Loathing Strong : Belgian dark ale aged in bourbon barrel, and steeped with ripe tobacco.
- Odyssey Nitro Porter : Odyssey is a porter infused with nitrogen gas, which creates cascading clouds of tiny bubbles that give way to thick dense foam. This luxurious brew pours a deep earthy brown colour, and features warm roasted flavours accented with hints of nuts and dark chocolate, all wrapped up in velvet smooth textures.
- Bière De Garde : Name literally means, “Beer which has been kept or lagered.” No expense was spared in recreating this traditional artisanal ale from Northern France. To recreate this regional specialty, we imported all of the ingredients from the countries that birthed the style. The end result is a malt-forward amber with deep hints of caramel and candied apple. Eight different specialty malts come together to yield a magnificently complex malt profile. The French Strisselspalt hops used for aroma create a mildly spicy and floral bouquet. The unique yeast strain combined with warm fermentation and an extended cold-conditioning period produce a smooth and drinkable ale reminiscent of a lager but with full flavored ale fruitiness.
- Golden Boy : A lighter, pale Trappist-style ale, Golden Boy starts with aromas of stone fruit and that traditional Belgian character. The continental pilsner malt shines through and finishes with a natural, gentle spiciness from the yeast. The finish is fairly crisp, but the flavours given by the Trappist yeast build as the beer warms.
- Storm Trooper : This sessionable ale sports a slightly fruity aroma and a similar flavor accompanied by the slightest suggestion of hoppy bitterness.
- Jai Alai IPA : Pours copper in color with notes of citrus and tropical fruit in the aroma. Flavor has upfront citrus bitterness with a hint of caramel and citrus and tropical fruit hop notes in the finish.
- Vito, The Beer Whale Cat : The hop combination of Azacca and Simcoe creates a unique and intense mix of tropical fruit flavors up front with a creamy mellow finish.
- Porter : Our Porter is an Americanized version of this classic English beer style. Black malt and chocolate malt are used to give this beer its dark color and roasty character. Three different hop varieties give this beer added complexity.
- Independence Amber Ale : A complex Amber ​with tons of flavor. ​​This moderate bodied​, ​​hoppy amber ale​ has a rich auburn color ​and ​​malty aroma. The first notes are sweet with caramel, coffee​,​ and chocolate​ flavors that shine through. It finishes with ​lingering floral and piney notes from ​the ​Cascade, CTZ, and Mosaic hops.
- Outta Town Brown : In the depth of winter we brewed this dark brown ale to satisfy the palate on cold nights and days without the weight and sweetness usually associated with winter brews. Rolled oats lend their characteristic velvety smoothness to the mouthfeel, while lightly roasted barley and toasty Munich malt give this ale a dry, toasted, coffee like malty complexity without the characteristic burnt and blackened notes of a stout.
- Earth Rider Cedar Sour Red : Allouez Amber is the base for this mixed fermentation sour beer. Cedar Sour Red was allowed nine months of secondary fermentation in a French Oak barrel with the addition of bacteria and brettanomyces yeasts. Cedar blocks brought in a nice earthiness and warm woody tone to the lightly tart dark fruit flavors of this beer. Hold fast.
- Knowledge : Intense & refined, Knowledge delivers notes of resinous pine, dank sap, pithy grapefruit, of ripe pineapple. Chewy hops, a zesty punch; this erudite Imperial India Pale Ale sharpens perceptive depths in the studious night.
- Kuhnhenn Maibock : This dark golden lager has wonderful maltiness and subdued hop character. Made with European malts, it is smooth and clean. This is a Keller version of the beer, meaning it is unfiltered.
- Ruby Red OZ : RUBY RED OZ Ruby Red Oz is a port wine barrel-aged ale. The flavor starts with a light amount of acidic, salty tanginess and moves on to a slight bitterness and tannic mouthfeel, with notes of oak. With interesting nuances of spice and earthiness throughout, the dark fruit, port wine warmth shines through on the finish. This beer pours a ruby red/orange color with a sweet and grainy aroma.
- Dublin Dark Ale : A traditional Irish dark ale, malty and medium bodied.
- Coffee Weiss : Our classic Berliner Weiss refermented with Cascara (coffee cherries). Fruity, earthy, and cherry-like flavors.
- Framboyzee : A little fruity. A little funky. It’s tart and delicious. It’s fruity … licious.
- Black Eye : An elegantly chewy dark ale; notes of bittersweet chocolate & espresso envelop red fruits & caramel; burnt toffee malt richness infused with juicy herbal hops. Crafted with 4 hops and 6 malts.
- Schlafly American IPA : Our American IPA gets its bold hop flavor from 100% American hops and its deep gold and full body from pale and crystal malted barley. A blend of Amarillo, Centennial and Simcoe hop varietals imparts AIPA with bitterness and prominent aromas of citrus and fruit. Our brewers select these hops on an annual pilgrimage to the hop farms of Pacific Northwest.
- Three Orange Wit : This intentionally cloudy unfiltered ale is very complex. Un-malted wheat and oats were added to lend a hand balancing the infusion of orange filled spice bags with coriander, chamomile, and did I say oranges?? Oh yeah, oranges.
- Zeno : This Brewpub Exclusive saison is an interesting paradox; refreshing yet flavorful, light but complex. The Saison yeast strain takes center stage and contributes complex aromas of pineapple, mango, papaya, and pepper. A healthy dose of American hops at the end of the boil compliments the tropical fruit aromas with their own notes of citrus rinds and fruit.
- Catharsis : We are pleased to introduce Catharsis, a rich and hearty porter ideally suited for these cold winter months! Catharsis is brewed with an array of pale, chocolate, and roasted malts and hopped ever so gently with Warrior and Simcoe resulting in a beer with progressive attributes and a characteristic Tree House edge. We experience flavors and aromas of cocoa powder, fudge, and caramel balanced by a dark chocolate-like bitterness and a hearty body. Catharsis is robust yet pleasant. It is rich with flavor yet maintains an easy drinking complexion. It is our focused interpretation of what we believe a modern American Porter can be. We could not be more excited to share it with you. Enjoy!
- Darker Pumpkin Porter : Dark Pumpkin Porter that's been bourbon barrel aged with vanilla.
- Pomme De Champ : Pomme de Champ is French for apple field. This beer was co-fermented with local Barsotti Family apple juice and our Le Champ saison in a Vineyard 29, Saint Helena Pinot Noir barrel. Pomme de Champ has the spice and fruit from our Le Champ saison with acidity provided from the apple juice. The beer finishes with French Oak notes and a slight souring nuance from the native barrel flora.
- Mysterioso #29 : Imperial dark saison.
- Hefe-Weizen : Hefe” means yeast and “Weizen” means wheat. So, the name “Hefe-Weizen” describes an unfiltered-wheat ale that still contains the yeast. A true Bavarian Hefe-Weizen contains at least 50% malted wheat and is fermented with a flavorful top-fermenting (i.e. ale) yeast strain known for its fruity banana esters and spicy clove-like phenols. KCBC’s version of the style is deep gold, with a spritzy effervescence, and rich bready malt background. Hefe-Weizen’s smooth malt body, low bitterness, effervescence, and fruity esters make this beer truly refreshing.
- Foeder Saison - Black Raspberry : One of our 40hL foeders (“Foeder Black”) was initially utilized as a Meerts foeder, but in October of 2017, it was converted into a fermentation vessel for beers that fill in the gaps between our Meerts and Méthode Traditionnelle programs. The 2018 “Foeder Saison” series represents the first beers to emerge from that switch, and this beer is the first fruited variant to be bottled from that fill. It has a delicate mouthfeel from the use of white wheat and flaked oats, as well as a refreshing acidity and complexity from the saison strains and cultured microbes that accompanied the wild yeast already present in the walls of the foeder.
- Barn Yeti Belgian Winter Ale : Beware of the Barn Yeti for he is near! Brewed with Mexican Valley beans, chocolate powder, star anise and dark Belgian candi sugar, this beer will surely leave your taste buds tantalized. Intense chocolate aroma arises from a creamy tan head followed by delicate vanilla flavors that leave you wanting more.
- Too Easy : A smaller beer with all the punch of an IPA. Citra, Summer and Simcoe hops make their presence known giving assertive bitterness, soft stone fruits, piney, and a balanced malt backbone.
- Brett Grisette : A complex grist of organic pilsner and wheat malts, organic oats, rye, and raw buckwheat all contributed fresh grainy flavors, balanced by Spalt and Hallertauer hops in what would have been a more tan serviceable saison.
- Rayon Solaire Double French IPA : Rayon Solaire or Solar Ray is a Double French IPA with a very simple Malt Bill, American and New Zealand hops and French Yeast Strain. Clocking in at 8% ABV and 70 IBU, Rayon Solaire boasts a beautiful blonde color; big, bold, tropical fruit nose; spicy flavor and a smooth, slightly bitter finish. You better put on your sunblock and sunglasses if your gonna soak up some Rayon Solaire.
- White Lady : Bavarian style wheat beer, with additional hints of roast malt for colour. Brewed with orange peel and coriander to give fruit flavours with a hint of spice.
- Southport Silver Sands Stout : Smooth and very velvety. Dark roasted malts, flaked barley, and select hops are blended together to create this traditional Irish stout. Outstanding!
- Hoptimistic IPA : Hoptimistic IPA (India Pale Ale) has intense hop bitterness and flavor. This ale is further characterized by fruity, floral and citrus-like aromas due to American-variety hops. This copper/orange hued ale has a nicely balanced medium maltiness which contributes to a medium body that goes down easy, leaving a lingering bitterness that is hard to resist.
- Capri Sour : Passion fruit, dragon fruit, peach, and vanilla
- 5 Vulture : 5 Vulture is a deep ambered-colored ale with complex caramel aromas with toasted sugar notes and a long, elegant spicy finish. Roasted ancho chile is used to add depth and complexity, without adding heat or strong chile flavors.
- 29 Hefeweizen : A wheat foundation over complex notes of banana, allspice & clove.
- Radical Aim : A hazy-tropical-dank India Pale Ale with a frothy head and full body where Mosaic and Simcoe hops lend big resinous pine & tropical fruit aromatic.
- 011 (EL) : This beer showcases a lesser known, but interesting, hop in the brewing community: Belma. Paired with the infamous “Conan” yeast, the flavor is accentuated with notes of light stone fruit and a silky finish. Expect hints of orange, melon and lots of strawberry jam.
- Cafe Amsterdam 10th Anniversary Gruit : Gruit is an old style—one that incorporates spices, herbs and fruit but no hops. The latter detail makes this style very rare in modern times. Café Amsterdam’s Gruit is dark, strong and interesting. This combination of pale and dark malts, sage, thyme, cinnamon, black peppercorn and fresh orange peel composes distinctive, substantial flavors that meld together wonderfully. And at 12% ABV, this cellar-friendly ale is ready to lay you down! Thoroughly enjoy this old-world beer now but stash some away for later dwelvings.
- Session IPA : This session beer has everything an IPA has, while keeping a light, clean taste. Aromatic notes of grapefruit and mango combine perfectly with the dry hop additions of Mosaic, Amarillo, and Columbus.
- Beach Pail : A single hopped pale ale with a powerhouse aroma that is reminiscent of sun bathed tropical fruit, this gentle goddess borrows her unnatural beauty from the effervescent green hero known as the El Dorado hop. With just a sprinkle of honey malt to help our hop hero truly shine in the sunlight, you’ll never think of beach pails the same way.
- Never Meant : Never Meant is our house gose Never with a ton of peaches added to it. We actually added 30% more fruit to Never Meant than our other fruited Never batches.
- Sourdough Wild Ale : Brewed with a mash of raw and malted barley, oats, rye, spelt and lemon, this beer was fermented in used wine barrels with a blend of Brettanomyces wild yeasts and Marla Bakery’s San Francisco sourdough yeast. The finished beer is dry-hopped with tropical Mosaic hops. This unfiltered ale is alive in the bottle: drink fresh for a bright, passionfruit aroma or age to develop the wild yeast funk.
- Phat Matt's Golden Ale : "The creamy yet nutty overtones of the Nottingham yeast create a rounded balance that we at Phat Matt's are proud of. At 6% ABV and 24 IBU's this unique ale leaves a lasting impression that satisfies the drinker who values substance over hype."
- Buried At Sea : Decadent and complex while remaining wholly refreshing and drinkable. This stout is brewed with milk sugars and chocolate to give rich flavours and body that goes down smooth. Taste of chocolate and smooth mouthfeel, due to the additions of dark chocolate and milk sugars (lactose) respectively. While dark, rich and decadent this beer finds balance and subtlety in its lightness and drinkability. Great for matching with sweeter dishes and intense desserts.
- The Sixth Glass Quadrupel Ale : ”Do you know what dwells in a glass?” asks Ole, in Hans Christian Andersen's The Watchman of the Tower. Better known for stories such as The Little Mermaid, Andersen wrote this short, cautionary tale for a somewhat older audience. Our quadrupel ale, also meant for the mature connoisseur, is a deep and mysterious libation, dark auburn and full-bodied, its sweetness deceptive. As Ole describes the glasses in turn, their contents become more ominous until, in the sixth glass...
- Brut by the Foot : A dry, but favorable IPA fermented on raspberry puree. Dry hopped with Galaxy, Citra, and Mosaic. Aromas of raspberry sorbet, citrus and tropical fruit with flavors to follow.
- Milly's Oompa-Loompa Chocolate Porter : A robust porter that was brewed using 5 different malts and all-natural cocoa nibs. A substantial, malty dark ale with a complex and flavorful roasty character. Medium in body, the cocoa nibs impart a dark chocolate flavor that is rich but not overly sweet. A drink to be enjoyed by all except for the occasional "Vermicious Kind."
- Small Batch Stouty Stout 2.0 : Last year was such a success that we wanted to do it again - but even better! A complex combination of dark malts, lactose, and oats, and then aged in bourbon barrels for almost a year, this is a BOMB of an imperial stout.
- Neptune (The Mystic) : With Neptune, our Planets Series comes to an end. Inspired by one of Larry Bell’s old homebrew recipes and the music of Gustav Holst, this complex, strong and spiced Imperial Stout offers prominent herbal notes along with flavors of chocolate, roasted malt, licorice/anise and pepper with a touch of heat. Reminiscent of a mystical creation brewed in days gone by, this beer is a good candidate for aging due to the robust characteristics of its ingredients.
- Amber Chili Ale : An old favorite with a new twist, our Amber Chili Ale is a beefed up version of our popular Green Chili Beer. We created a malty amber beer and added our usual fresh Anaheim peppers. To create the real differnce we added Poblano peppers roasted in our stone oven. The resulting beer is a complex mix of hot green chilis, sweet roasted chili flavors and a mild malty brew.
- Saison Flora : Our Saison is light in color and body, yet it has a complexity found in few other brews. Pilsner malt is used for the beers' light body, Belgian Abbey yeast adds fruity aromas, and the beer is finished with Saaz hops and an array of herbs, spices, juniper berries, and rose petals. Enjoy the complex aromas and flavors of SAISON FLORA.
- Belgian Razz : We have taken our popular Belgian Ale and aged it on tart raspberries creating a tasty delight. The aroma of raspberry is what you notice first, inciting you to sip the beer. The tart raspberry flavor is balanced by the fruity sweetness of the Belgian Ale.
- Abbey Porter : A roasty porter fermented with Abbey yeast resulting in a deeply complex brew. Our Abbey Porter has aromas of dark currants and roasted grains. The flavors are complex and inviting. Deep roast flavors mix with hints of licorice, black plums, and cola. The Abbey yeast adds its distinct signature with a dry spicy finish.
- Brother Paul's Abbey Ale : This ale is brewed to reflect the delicious beer brewed by the Belgian Trappist Monks. The ale is pale in color with a huge fruity nose. Aromas of peach, apricot, and banana are evident. The yeast used creates a flavor distinct to the Trappist style.
- Novemberfest : A rich dark golden lager brewed in the Oktoberfest tradition. Four specialty malts contribute color and flavor along with German Tettnang and Hersbrucker hops that add a light floral and spicy note. Munich lager yeast was used for fermentation.
- Almanac 2018 : Almanac 2018 celebrates the great moments of the past year and toasts the year ahead. Brewed on August 5, 2017, opening day of Cowbell Brewing Co., this anniversary beer offers notes of toffee, dark fruit and vanilla, to savour and enjoy.
- Curiosity Sixteen : The saga continues! Curiosity Sixteen is a bit drier than your typical Tree House pale beer, much like C15. We get super dank and pungent aromas of orange, fleshy papaya, and grapefruit rind. The flavor follows suit, with potent notes of blended tropical fruit juice with a dry sticky finish that makes this one a challenge to stop drinking. The working title was Dank Sticky Tropical Delicious Hop Juice. We think you're going to love it!
- Raptor's Delite : This mixed culture saison was foudre fermented and then aged in wine barrels, before being heavily dry hopped with Amarillo, Mosaic, and Citra. Notes of kiwi, melon, underripe peach, lime, grapefruit zest, lemon meringue, and tender woodiness of orange inner-tree bark, supported by a traditional, funky barrel aged saison backbone.
- Nut Brown Ale : D's Nut Brown is brewed with English Ale yeast. English tradition uses English Fuggle hops, which are low in bitterness and produce a mild floral taste. The complexity of D's Nut Brown is created mainly by the chocolate and dark chocolate malted barley. There is a roasted coffee flavor with hints of nutmeg in the finish. This brew pairs great with a D's pecan wood-smoked steak.
- Old And In The Way : Old and In The Way Barley Wine Style Ale is brewed in the traditional English Barley Wine Style. Flavors of toffee, treacle and caramel emerge as the beer opens up. Enjoy this beer a little warmer to fully appreciate the depth and complexity of flavors in this beer. Brewed to be enjoyable as a sipping or fireside beer. Share one with a good friend.
- Monocle : MONOCLE is our second mixed fermentation collab with our good homies Other Half. It’s a saison brewed with wheat, spelt, and buckwheat, and lightly hopped with Motueka and then open fermented with a blend of saison yeasts and house mixed cultures before aging in oak barrel barrels. A beautiful saison with fruity and funky notes and subtle tartness.
- Anni Ale 13irteen : nni Ale 13irteen is a dry hopped American Sour Ale with black currants. Deep ruby red in color, this American Sour Ale has aromas of tart fruit and citrus. An initial sour flavor (that’s guaranteed to satisfy any Sour beer fan) is followed by notes of dark berry. Flavors of tart black currant coat the palate before a finish that is very dry with just a touch of citrus and a slight bitterness.
- Eisbock? : A dark, full-bodied German-style lager that is very strong and carries a viscous quality.
- Augusta Ale Extra Hoppy (AAXH) : Since we really, really like hops, we decided to take our flagship Augusta Ale and dry hop the bejesus out of it. In regular terms, that means we added american hops right to the final serving vessel to guarantee a blast of citrus aroma. We serve this cask ale at a slightly warmer temperature than our standard Augusta, which really complements its nutty and grassy body. The dry hops up the aroma level appropriately, and you're left with a delicious and highly sessionable pale ale.
- Boxcar Brown Ale : Our American version of the classic brown ale is mahoghany in color with a a nutty malt flavor and citrusy hop aroma.
- Amarillo Sour : An experimental yin and yang of sweet and sour, this one-off brew was inspired by the classic Amaretto Sour cocktail. Multiple layers of sweet cherry, sharp citrus, and tropical fruit. Collaboration with Jyle Larson from Siren Craft Brew in the UK.
- The Fallen Leaves : A rye dark mild. Earthy, spicy with hints if chocolate and caramel.
- Normz-enbock '50' : A Weizenbock for the ages. Hefty malt balances the esters and tartness of wheat and the specialty yeast. A full flavored brew with great complexity. - Greg
- Jailhouse Java Stout : Brewed with Indonesian Sumatra and Hawaiian Kona coffees, bitter and Belgian dark chocolates along with a generous amount of oatmeal. This beer is almost a meal in itself. Try it with dessert.
- Busta : Busta has dangerous nutty and roasty flavors that will be in yo’ face! The special blend of malts and the perfect amount of hops will have you screaming “Who ha!”; it’s got you all in check!
- Kuhnhenn Road Rash Imperial Stout : This Russian Imperial Stout was made by our very own Jessica Weiman. It is black in color with dark fruit aromas and roasted grains and alcohol are present on the nose. Rich and complex, this intense stout has medium hop bitterness and rich burnt malts. It is a full bodied, velvety beer.
- Chocosaurus Rye : A dark rye lager that was finished with cacao nibs and vanilla beans.
- Bourbon Barrel Aged Dark Lord Imperial Stout : Dark Lord aged in bourbon barrels for one year. Recently has used a blend of barrels from Heaven Hill, but has also been Woodford Reserve and others in the past
- Tacenda Sauvined : American Sour Brett Ale brewed with local Muscadine Grapes and Dry-Hopped. Hypnotized by it's presence, Tacenda Sauvined has been aged on 2,000 LBS of local Muscadine Grapes. Then Dry-Hopped with Nelson Sauvin Hops. Left to the imagination and better un-said, this sour beer whispers. Transcending into the amalgamation of light effervescent, but complex flavors.
- Murda'd Out Stout : When Baller Stout was created, bourbon barrels were filled with Surly Darkness, Three Floyds Dark Lord, De Struise Black Albert, and Mikkeller Beer Geek Brunch. These were aged for 14 months separately and blended together to taste.
- Leviathan - Quad : Leviathan Quad was fermented with a blend of two traditional Trappist yeasts. A mixture of two-row pale malts, caramel malts, and special aromatic malts gives the Quad its richness and texture. The subtle hop flavor imparted from Brewer’s Gold hops lingers in the background and provides just enough bitterness to balance the malt sweetness. The addition of imported Belgian Dark Candi Syrup rounds out the beer, giving the Quad its full body and deep auburn color. Expect notes of honeyed dry fruit with peppery phenols in the aroma, a velvet-like mouthfeel, and a superbly drinkable beer.
- Barrel-Aged Barley Wine : Barrel-aged for 10 months in recently emptied red wine barrels. Our barleywine begins with a beautiful port and wet oak aroma, which translates into a luscious, warming mouthfeel. Lightly carbonated with a strong amount of bitterness to balance out the bold dark cherry, red wine, and brandy flavours.
- 100 Barrel Series #10 - Triticus : Latin for "wheat," Triticus is a strong and dark Wheat Wine style ale that's light and lively on the palate. The blend of 50% wheat malts, including caramel and chocolate, provides color and depth of flavor. Complex hopping and dry-hopping lends a delicate spiciness and just enough balance to complement its strength. Best shared with friends.
- Ipanema White : Originating in Belgium, this is a truly bilingual brew. Known as Biere Blanche in French, Witbier in Flemish and White beer in English. Unmalted wheat and oats are used in the grist to lend this brew its smooth, light body. Coriander seed and Curacao orange peel are added to the kettle to infuse this beer with a subtle, perfumey spiciness. The result is a light wheat beer with a fruity, tart finish - the essence of summer.
- Funky Fruit Punch : We took a couple kegs of Funky Jr. and re-fermented it with loads of Guava, Passion Fruit, and Pineapple.
- Salt City Blonde - Passion Fruit : We took our Salt City Blonde and infused Passion Fruit into it to create our first fruit beer. It was created to be a light, refreshing, balanced beer using 2-row, Pilsner, malted White Wheat, and some malted Oats, along with some Michigan Cashmere and Michigan Cascade hops.
- Scratch Beer 181 - 2015 (Dark Lager) : Scratch #181 represents our interpretation of a Munich Dunkel Lager (“dunkel” meaning “dark” in German). Developed in Bavaria, the Dunkel Lager is generally regarded as the world’s oldest true beer style. Keeping our German brewing heritage in mind with a nod to our exploratory nature, Scratch #181 offers a refreshing, slightly gentler take on the style. The use of Chocolate and Munich malts coupled with noble hops results in a smooth, rich, and complex lager. Combining a slightly dry chocolate note and bready sweetness with a well-rounded, crisp character, this deceptively dark beer comes without the weight of other dark beer styles such as porters and stouts. Prost!
- W4 Dry Hopped Gose : Subtle lime and floral notes from the Motueka hops combine with light citrus flavors imparted by the coriander and deep minerally water profile to make this complex but crushable Gose.
- Running Light Red : A Belgian inspired Red Ale. Driven by the fruity esters and subtle spice supplied by the use of the Ardennes yeast strain. The Marris otter pale malt base and chocolate, crystal, and Munich grains bring sweetness in roast to this complex ale.
- Cap'n Skoon's Ballistic Stout - Bourbon Barrel-Aged : Ahoy! This bourbon barrel-aged sea monster of a stout has emerged form the depths of our barrel cellar after summering quietly for the past year. Enjoy the swirling typhoon of chocolate, dark fruit, and smooth bourbon flavors while wearing an eyepatch and feeding your most colorful parrot.
- Amber Altbier : Originating from Dusseldorf Germany, the name of this beer means "old beer". Deep amber in color. Rich malt aroma with hints of chocolate, toffee, and noble hops. Moderate hop bitterness balances the sturdy malt structure. Slightly nutty in finish. Excellent choice for complex flavor profile without packing high alcohol.
- Brian's Geek Out : Inspired and created by our own bearded beer geek using experimental hops and finishing with a touch of white wine, this ale is dry, fruity and hoppy all at once.
- Selene Saison : Selene Saison is a wild-fermented farmhouse-style dark saison brewed with extra delicious darkness. Available September 1, while supplies last, Selene’s outstanding combination of malts, hops and yeast culminate into a 7.5% ABV that’s sure to satisfy any seasoned Saison lover. Step into a crisp, new season with a victorious blend of chocolate and roasty flavors meeting the tip of your tongue. 
- The Rye Old Fashioned : If, like us, you enjoy the occasional Old Fashioned at your favorite bar, then you may enjoy this rye ale inspired by its namesake cocktail. We use generous amounts of rye malts to give it a spicy, peppery edge, and balance it with a blend of caramel and pale malts. We then infuse and mature the beer with toasted oak. We like drinking this one neat, or with a citrus peel (orange and grapefruit work well) and a dash of bitters.
- Rondy Brew 2011 : The official beer of Fur Rondy 2011 is yet another great brew from Anchorage’s Midnight Sun Brewing Company. Rondy Brew 2011 is a Winterfest Lager, offering rich, smooth malt refreshment to enjoy during the cold dark days of winter that bring us together.
- Trendilicious : Grapefruit IPA. Because...Everyone's doing it!
- Scratch Beer 75 - 2012 (English IPA) : An exercise in balance and humility, the English IPA has always demonstrated a more reserved demeanor than its American counterpart. Displaying more mellow earthy, fruity tones rather than pungent citrus or pine, this latest Scratch IPA utilizes a variety of English-style hops and give the aroma and flavor more of an understated bitterness, resulting in a balanced finish. Fruity, earthy and nutty. Scratch #75 may possibly be what the beer squirrels dream about.
- Goat Parade : A pitch black stout brewed with dark chocolate and cherry wood smoked malt. Molasses and brown sugar compliments the smoky character of this high gravity stout.
- Tropical Sour Weisse : Dry hopped sour ale brewed with guava and passionfruit
- Lost Galaxy : A wheat based session IPA with a crisp, silk malt body that balances resiny hop bitterness and boasts loads of tropical fruit flavor on the finish. Simply crushable.
- Collective Project: Hazy IPA : Fall into the rich embrace of this New England style IPA. Simcoe and Mosaic hops balance each other to make this juicy IPA explosively fruit forward in both taste and aroma while curbing any unbearable sweetness to make an extremely drinkable beer. The huge mouth feel ensures all of your tastebuds are enveloped in a blanket of tropical bliss, paradise in a can.
- Feathershark : Made with Wakatu, Mosaic, Amarillo & Azacca hops. This is one big hazy Imperial IPA, with tropical fruit juiciness underlaid with floral and citrus notes.
- Milly's Whiskey Barrel Porter : This rich brown porter was aged for one month in a Tennessee whiskey barrel. The combination of oak,whiskey and Brettanomyces make this a very complex offering.
- Subglitch : Sour IPA with raw wheat, malted oat, milk sugar, local wildflower honey & grapefruit, hopped with Motueka.
- Standard Enigma : Our IPA is indeed an enigma wrapped in a riddle, shrouded in mystery… NOT. Here’s the down-low: brewed with some good old American malt, local honey and an awe-inspiring blend of late addition hops, our “enigma” will punch you in the face with some awesome tropical fruit flavors. Don’t worry, it will hurt so good.
- Black Flowers : Dark Saison - Careful additions of coriander and whole star anise flowers to the kettle have yielded a smooth, silky character to this saison's traditional notes of fruit, spice, and pepper.  Modest amounts of intense crystal malt and German Carafa give this farmhouse ale its unconventionally darker hue.
- Unicorn Juice : American Wheat beer with hand picked passion fruit. The passion fruit comes from the unicorn passion fruit farm that is fully maintained by Umpa Lumpas.
- Arthur's Porter : A bit of smoked malt and a bunch of oats, bring in a complex porter hopped with nugget and cascade. The smoked malt is just enough to let you know it’s there, but it’s not over powering. The oats bring in a smooth, silky texture.
- Towhead : Marrying the best elements of traditional German golden ales and classic Midwestern wheats, this American Blonde lives up to Mother’s expectations. Towhead is refreshingly light-bodied with flavor that won’t quit. It starts slightly sweet with hints of fruit and finishes with the faintest hop kiss that’ll leave you reaching for another. And another.
- Witch Creek Wet Hop XPA : Our first wet hop ale! The staff from all 3 of our bars traveled East to Star B ranch to hand harvest organic Cascade hops. The fresh hop flavors are balanced with a touch of honey malt, creating a floral and fruity nose of orange peel and starburst candies that leads to a refreshing and crisp experience on the palate. We didn’t make much of this beer and it will be served as fresh as possible. Grab a pint if you see it.
- Cere Belly : A lightly tart saison with notes of vanilla, citrus, brown sugar, and bubble gum. Brewed entirely with malt and hops from Deer Creek Malthouse and fermented with our foraged yeast culture. Exciting to see our region’s terroir in the depth of malt character, citrusy hop flavor, and a dry, fruity, and acidic fermentation profile.
- Le Petit Demon : “The small fiend” is crisp, refreshing, and perfect for a “session” at DHB. Brewed with grains of paradise and bitter orange peel to add some complexity to this traditional easy drinking beer.
- Trophy Mutt Copper Ale : Trophy Mutt Copper Ale is a complex, yet easy-drinking ale with an aromatic scent from an exclusive combination of international hops and featuring a nutty-sweet, deep malty finish. Our modern interpretation of an Altbier from Düsseldorf, Germany, this ale pairs incredibly well with hearty foods and is a versatile thirst-quencher all year-round. 
- Cold Roses : Yeah, we know our infatuation with kettle-sours may appear, to some, moderately out of control. In particular our obsession with those that magically blend their angelic acidity with radiant fruit and floral combinations, like blood orange, rose hips, and sweet, sweet orange zest. Yeah, those.
- Tutti Frutti : Our Tutti Frutti is a five hop double india pale ale brewed to showcase the tropical fruitiness of New Zealand hops. Here they combine to give a complex overlay offlavours – a veritable fruit salad with a bang!
- Boswell Cream Style Ale : A light bodied, straw colored ale made with pilsner malt. This beer has a light refreshing character with a medium maltiness accented with light tones of fruit and spice imparted from the strain of yeast used in fermentation.
- Good Morning : Brewed with Monson’s own Maxwell Road Maple Grade A Dark Amber Maple syrup, Good Morning pours pitch black in the glass with a creamy mousse-like head. The bubbles give way to aromas of rich milk chocolate, cocoa powder, and dark amber maple syrup. The flavor starts as a blast of milk chocolate, sweet maple syrup, and rich fresh coffee as deeper complexities are uncovered as it warms. The crew here at Tree House tastes “chocolate covered maple candy”, “vanilla”, “chocolate cake”, “brown sugar”, and “fresh roasted coffee”. A super decadent treat, Good Morning begs to be shared and contemplated!
- Excommunication : Wort from Max Abbey Belgian style Dubbel was fermented in a whiskey barrel with a unique blend of Belgian yeast, Brett, lacto and pedio to produce a sour base beer which was then split into separate fermenters. In one, Mission figs were added. In another Balaton sour cherries were added. After refermentation, the beers were blended back together with some of the base beer to create Excommunication. Tart Dark fruit and cherry notes play off caramel raisin flavors and subtle notes of vanilla and wood from the barrel.
- Blackjack : Medium bodied American Black Ale with pacific rim hops providing a clean, up front bitterness moving into a fruity, tropical IPA with delicate chocolate notes.
- Elephant Gun : We doubled the grain bill of Dark Galaxie, then conditioned the resulting beer on Ghanan cacao nibs and Ugandan vanilla beans. Adult chocolate milk!
- Chateau Jiahu : Let's travel back in time again for another Dogfish Head Ancient Ale (Midas Touch was our first foray and Theobroma our most recent). Our destination is 9,000 years ago, in Northern China! Preserved pottery jars found in the Neolithic villiage of Jiahu, in Henan province, have revealed that a mixed fermented beverage of rice, honey and fruit was being produced that long ago, right around the same time that barley beer and grape wine were beginning to be made in the Middle East!
- Whitetail Wheat : Our most popular beer! An unfiltered wheat beer with notes of citrus and fruit and a clean yeast character. Served with a lemon.
- Cognac Masterpiece : This is Eclipse on steroids, and it is big in every way. Materpiece pours a rich dark brown, verging on black, with a tan head and gives a delightful aroma of cocoa, cognac, vanilla and dark fruits. On the pallete you get brown sugar, dark molasses, and a slight bitterness. The sweet Cognac elements really compliment this huge imperial stout, getting more complex as it warms. Definitely a beer to sip with friends and ponder life’s big questions.
- Short's The Magician : "A rich lustrous dark red London Ale. Rich malt complexities lending notes of toasted caramel, raisins, toffee, and slight roast chocolate. Very light hop additions let the true malt characters promenade throughout the tasting enjoyment this beer offers."
- Samuel Adams Rebel Raw Double IPA : A big, beautiful IPA with a resinous, piney punch. Bright aroma, with bold grapefruit and pine notes from intense dry hopping.
- Scottish Ale : A traditional Scottish session Ale or also called an 80 shilling or Export. Dark copper in color with a light tan head, this beer is malty, slightly fruity with a touch of smoke. 
- Rabbit's Reserve #1: Chocolate Porter : Rabbit’s Reserve #1 released November 2011 and then again in 2012. A silky porter brewed with dark roasted malts and dark cocoa nibs for a perfect balance of sweet and bitter.
- Kungfuji Fighting : Kung Fu isn’t all about kicks and strikes, it’s about learning and the perfection of one’s skills. We strive for ale excellence and occasionally we create liquid love. Fragrant citrus zest, distinctly juicy notes of tangerine and passion fruit, complemented by the subtlety of white tea and a saison-like spice. 
- WIPA SNAPA White IPA : Pale hazy yellow with a light body & soft mouthfeel. Crisp hop flavor of tangerine, tropical fruit & citrus. Aroma of tangerine & white grape.
- Hefeweizen : The most recognized of all Paulaner beers, has a light hops flavor and balances subtle bitterness with an unmistakably fruity character. It is a top-fermented, unfiltered beer with strong carbonation that is golden in color and has a pronounced head. Our Hefeweizen is crafted from a yeast culture that is a closely kept Paulaner secret (5.3% alcohol content).
- Reve De Londres Belgian Porter : A beer with an identity crisis. Stuck somewhere between a London Porter and a Belgian Dark Ale, Reve de Londres possesses a dark, complex malt centric body with spicy, fruity, Belgian Abbey yeast notes. Dedicated to all those brewers who dream of one day brewing in the Old World.
- Shake Your Money Maker : Honey roasted peanut and fresh coffee aromas arise from the glass of this deliciously balanced brown ale. Dark Chocolate, hints of vanilla and nutty undertones are evident mid-pallet, while roasted coffee beans round out the finish.
- Olde Ale : Originally brewed in 2005 as the first in our annual Decadence series, AleSmith Olde Ale follows the tradition of classic British-style Old Ales. This rich, malt-forward ale showcases soft notes of currants and dried fruit along with complex dark sugars, all of which are balanced by a subtle bitterness derived from the addition of traditional English hops. AleSmith Olde Ale is ready to be enjoyed now or it can be aged upwards of twenty years to further enhance its amazing depth of flavor. A hearty ale designed to please Bacchus himself!
- Excalibur : Pale & Hoppy Excalibur is a well hopped, extra pale ale. It has a simple malt bill of 100% Maris Otter pale ale malt because this beer is all about the hop variety. Ekuanot is a new variety to us and gives this beer it’s punchy citrus, tropical fruit and herbal aroma.
- Topcutter : Our flagship IPA is a well-balanced yet aggressive West Coast IPA that showcases Yakima Valley hops at their finest. Late additions of Simcoe, Citra, Loral, and Mosaic give this beer its complex citrus, fruity, and floral aroma and flavor. Named for a unique piece of farm equipment that removes hop vines from the trellis during the annual hop harvest, Topcutter IPA delivers loads of hoppiness all year long.
- Tatonka Stout : An imperial stout — a classic style so rich and flavorful that it was once the private beverage of Russian Czars. The profile is malty sweet, hop bitter roasted, full-bodied, alcoholic and deliciously complex. Beer doesn’t get much more intense than this!
- Oak Aged Monk's Mistress Dark Strong Ale : This version of Monk’s Mistress - aged in American Oak Barrels - takes seduction to the next level. Its dark, daunting flavors become softer, rounder and more fascinating as they meld with toasted oak and its prior tenant. This temptation is beyond irresistible.
- Apricity : With a simple, clean base of organic pils and pale malts, and a restrained hand with Cascade hops, we let the Belgian Saison yeast shine in this tradition inspired golden ale. Aromas of spice and stone fruit seem to jump right out of the glass at you, drawing you into its enveloping realm of complex fruit, malt, and spice flavors. Dry and yet rich, Apricity is sure to live up to its definition, the warmth of the sun in winter.
- Nec Bones : Tree ripened Honey Fire Nectarines grown in Paso Robles by the Rydell Family were hand selected for this process and added to our fermented propriety base beer that had been aging for two years. The fruit was aged for eight months on the beer and then blended with a micro batch of beer fermented using wild dwarf peaches foraged locally from the hills of Arroyo Grande by our friend N. Darway. Santé!
- “HOW” 60 Schilling Scottish Ale : Brewed in collaboration with California-based Horus Aged Ales, this malt forward, moderately hopped Scottish ale showcases a grain bill consisting of 2-row, Munich, Crystal and Chocolate malts. Caramel, toast and a hint of dried fruit notes make this an excellent beer on it’s own or paired with food.
- Freshy Sesh : Our special celebration of all our volunteer hop pickers is wrapped up in this fresh wet hopped saison. With a light dry malt profile and a fruity Belgian saison yeast character to balance the spicy and floral Goldings hops, this is as fresh as it gets!
- Wild Oats Series No. 9 - Winter Brewed (2013) : Winterbrewed is a Beau's & Bridgehead collaboration that celebrates all that brewing great beer and great coffee have in common. Winterbrewed is an Amber lager, brewed with a blend of Mexican, Guatemalan and Ethiopian Organic Fairtrade Coffee from Bridgehead. Malty, roasted, toasted flavours of coffee and barley meld with nutty, fruity inflections. The interplay is carried forward in the aroma, where caramel, peach and a touch of lime and vanilla underpin fresh coffee and amber malt notes.
- Katelest Robust Porter : As the name indicates, this is as robust as it can be. The beer pours and sits in the glass with a dark tan head. Malts were chosen to provide character reminiscent of coffee, chocolate and toffee notes. Moderately bitter and finishes dry.
- Bourbon Barrel Aged Dark Matter : Dark Matter aged for 10 months in Woodford Reserve bourbon barrels.
- Your Favorite Jerks : Simcoe & Citra cryo hop powder, its mellow, ripe fruit forward and ultra soft.
- Depth Charge '17 : Belgian yeast provides a spicy backbone to the rich cognac and oak flavours of dark fruit, caramel, vanilla and toasted bread. It pours a dark gold, meant to show off the cognac it contains. While it is a higher proof beer, the heat from the alcohol is in perfect step with its complex flavour profile and light sweetness on the palate.
- Radagast : Roasty, Nutty, Milk Chocolate English Specialty Malts and Nugget Hop.
- Fire Pit Wit : Witbier brewed with hand peeled grapefruit rinds, coriander, sweet orange peel, and fresh cut ginger root.
- Axe Of Perun : "Axe of Perun is strong dark lager with hints of chocolate and licorice in the aroma. It has a sweet middle with a touch of roast and chocolate flavors that keep it in balance. This Baltic Porter ends with a slow drawn out finish reminiscent of mocha and brown sugar. 7.4% abv"
- Tacenda : American Sour Brett Ale brewed with local Muscadine Grapes. Hypnotized by it's presence, Tacenda has been aged on 2,000 LBS of local Muscadine Grapes. Left to the imagination and better un-said, this sour beer whispers. Transcending into the amalgamation of light effervescent, but complex flavors.
- Fractal Citra : Fractal Citra pours a hazy-straw yellow releasing aromas of bright tropical passion fruit, pineapple, lychee, and hint of mango (complex). The taste is resinous pineapple juice with a slightly creamy mouthfeel and a firm but rounded bitterness. The medley of characteristics makes the name “Fractal Citra” warranted indeed.
- Folklore : Human history is filled with myths and legends that shape and define our culture. Rituals, celebrations, gatherings.. whatever. One thing that’s for sure, is we enjoy a proper shindig. So let’s get the stories flowing and share a little ’Folklore’. A bracingly deep ale, built dark and rich with an elegantly lean body, accompanied by heady aromas of Belgian yeast, earthy hops and gently kissed by a wisp of smoke.
- Salvador Cybies : Belgian Style Dark Ale Aged in Oak Barrels with Colorado Cherries
- Lonesome Ellen : Dark mixed culture sour ale aged in Heaven Hill bourbon barrels and refermented w/ blackberries. This complex sour features dark chocolate and roast notes from the malt bill, and vanilla notes from the bourbon barrels. Sharp acidity and dark berry flavors linger on the backend.
- Cellar 3: Silva Stout : Our Double Stout ages in oak bourbon barrels, and artfully emerges as Silva Stout. This midnight black ale features elegant notes of oak, vanilla, dark chocolate, coffee, roasted barley and ripe cherry. Round and delicately balanced in body, each sip envelops the palate with its impressively complex craft composition.
- Highway 128 Session Series: Keebarlin' Pale Ale : Brewed with 100% Columbus hops and loaded with hop flavor and aroma, Keebarlin’ Pale Ale takes aim at what a session beer should be. The use of Caracrystal® Wheat malt imparts subtle caramel and smooth dark toast flavors to perfectly balance the earthy, herbal hop profile.
- Natsumikan Ale : Brewer's Notes: Baird Natsumikan Ale is brewed with whirlpool additions of ample quantities of freshly peeled and stomped natsumikans that were grown in the Heda orchard of our good friend Nagakura-san. Natsumikans are grapefruit-like both in appearance (large, round, yellowish orange) and in flavor (tart and sweetly sour). The tart natsumikan flavor is supported by a big, sweetly malty wort base that is accentuated by a high mashing temperature. Additional citrus and floral notes are provided by an All-American lineup of hops: Simcoe, Horizon and Mount Hood. ABV is approximately 5.4-6.0%.
- West Coast Wheat Wine : Brewer's Notes: Wheat Wine is a beer style born on the U.S. West Coast in the 1980s (legend has it that the style was conceived and first crafted at a small brewery-pub in Sacramento, California). It has as its progenitor the English Barley Wine beer style. Wheat Wine, as a beer style, is characterized by a massively rich complexity imbued with a tenaciously strong-willed sense of balance. It is a style indicative of the irreverent creativity and unrelenting passion for beer that form the hallmarks of craft brewing in the West Coast of the United States. Baird West Coast Wheat Wine is crafted in homage to the skilled brewing artisans and fearless beer entrepreneurs that have pioneered craft brewing on America’s great West Coast.
- Public House Bitter : Brewer's Notes: Baird Public House Bitter is crafted with traditional floor-malted English Maris Otter barley and, in this 2005 version, is hopped exclusively with generous dosages of American Centennial whole flower hops. The color is a sparkling, translucent copper. The citrus-fruit aroma is soft and inviting; the mouthfeel is sprightly and tangy; the finish is dry and cleansingly bitter. Your palate will remain as fresh and alert after several pints as it is during the first. The alcohol percentage (by volume) is approximately 3.7%.
- Beer For Breakfast Stout : 20 years ago when Sam was first cooking up ideas for brews (literally) for his soon to be brewpub, one of the first concoctions tested and implemented was Chicory Stout, a breakfast-themed beer with Mexican Coffee, Chicory, and Licorice root. 20 years later, we’ve brewed a supped up mac-daddy version of this OG Dogfish brew to commemorate the anniversary of Chicory, aptly named Beer for Breakfast. We took the original Chicory recipe, doubled the grain bill to hit 10% ABV, and tricked it out with all other sorts of delicious Breakfast-minded ingredients including lactose sugar (the sugar that lends Milk Stouts their character); barley malt smoked over local Fifer Orchards wood; maple syrup harvested from trees at Northfield Mount Hermon, the Western Massachusetts school where Sam and wife Mariah met; Steve’s Smokey Double Dark roast coffee from J & S Bean Factory in St. Paul Minnesota (a special nod to one of Sam’s favorite bands – The Replacements, who hail from Minnesota and wrote one of Sam’s most beloved songs: Beer for Breakfast); and for the quintessential Delaware breakfast touch – 25 pounds of Rapa Scrapple, which was added to the mash. Huge notes of coffee in the nose give way to sweet, smokey, and savory layers in the flavor which overlap bittersweet chocolate, roasty espresso, and malty undertones. We don’t have much of this one, so come and get it while it lasts!
- Trash Treasure : Donut Peach/Mango Farmhouse IPA brewed with 100% Pilsner malt. Aggressively hopped with Simcoe and Mandarina Bavaria. Conditioned atop heaps of donut peach and mango purée from our main dude Ben Wenk of @3springsfruit in Adams County, PA.
- Starry Night : Observe the glass. Dark as night. Swirl in your your hands and see it come alive. A galaxy of aromas driven forth by the starry foam. Starry night is a robust Porter with two separate additions of cocoa nibs fermented with a Trappist yeast strain it elicits chocolate both sweet abs bitter with hints of blackberry, coffee, toasted oats, banana, and clove spice.
- SMaSH Project (Made With Single Malt Golden Promise and Single Hop Citra) : Brewed with a single malt and a single hop to showcase the characteristics of each ingredient. Golden Promise, a Scottish barley, is renowned for its robust flavor and great malting characteristics, while Citra is an American hop breed known for intense citrus and tropical fruit notes.
- Dashing Moustache : Belgian-style Pale Ale infused with passion fruit and cocoa nibs. Aged 6 months in an American oak Cabernet barrel.
- Bleddyn 1075 : A commanding IPA balancing bitterness, sweetness and a grapefruit finish. An IPA to preside with you and your friends at the dinner table. King Bleddyn, most merciful of all Welsh kings. Lived and ruled until 1075 and the number of our original gravity.
- Summer Crush : Pink grapefruit color, strawberry aroma, effervescent cherry flavor, light body.
- Apollyon : Tremble before Apollyon, The Destroyer, for herein is a beer that requires careful handling.Produced using a technique that amplifies the intense apple/pear fruitiness of Arcadia's house English-style yeast, the result is a straw-colored Belgian-style strong golden ale that hides its strength carefully. Obscured by intense honey notes, hints of cotton candy, fresh-baked bread, and a wickedly dry, crisp body, we took to calling it Apollyon in homage to the Belgian tradition of naming beers after "devilish" figures. Unlike the king of locusts, the only truly dangerous part of Apollyon is how enjoyable and refreshing it is.
- Warhead : Our huge 100 Minute IPA is a palate stripping, beast of a beer. Bursting with Opal Fruit flavours and aromas with a heavy hitting bitter blast. Neither for the faint of heart or light of weight.
- Maku: Mixed Fermentation Sour Amber : Maku is a hard working and beautiful sled dog. Maku the beer is a beautiful amber sour beer with a bit of oak from the barrels, a complex sour, Brettanomyces funk, and sweetness from a young beer blended all together.
- Velvet Evil : It’s dessert in liquid form! Complex flavors blend to create something that you have never experienced before. Old Ales are copper-red to very dark. This brew was created from the base of our Unobtainium Old Ale, but transformed into a totally different devil with the addition of chocolate, coffee, and raspberries. This brew is smooth as velvet and perfect for dessert!
- Aces High : We will never surrender! Single hop IPA utilizing the lemony/coconutty goodness of the Sorachi Ace hop. A nice malt backbone compliments the style nicely; up the irons!
- The Machinery Of Night : A blend of dark beers aged and soured in oak barrels in the CBC Barrel Cellar along with young, fresh beer fermented in stainless steel tanks.
- Ambacht Black Gold Porter : "A Belgianized Porter made from organic malts with honey added to bottle condition the porter and give a slightly sweet finish to this light porter. This should be classified as a dark biere de garde"
- IPA : IPA (India Pale Ale) is a pale, yellow-tinged, distinctly aromatic American-type ale. A simple malt base allows the Amarillo and Simcoe hops to predominate in this beer. The solid, dry hoppy flavour is brightened by tropical fruit, citrus and mango tones. Appreciated by lovers of bitter beer.
- Broad Shoulders Barleywine : "Dark caramel color with a rich velvery mouthfeel and subtle malt sweetness that balances with the huge amount of hops used to brew this beer."
- Laughing Loon Lager : Laughing Loon Lager is a dark beer made with the delicate flavor of chocolate malts. Roasted barleys impart a malty aroma to this Munich Dünkel style lager. Its smooth and silky texture will make you smile.
- Mill Street Wit : Mill St Belgian style Wit is a refreshing beer made with a unique blend of ingredients. The soft texture and pale colour comes from the use of wheat. Coriander, orange peel and our special yeast produce the complexity and depth of fruity flavours contained within the glass. This beer is unfiltered. The resulting cloudiness gave rise to the term Wit, or White beer.
- Nelson Dry Hopped Fort Point : This new version of our signature American pale ale is dry hopped with Nelson Sauvin hops. Enticingly hazy and blonde in appearance, the nose erupts with aromatics of lime zest, grape jam, and white peach. Flavors of tart citrus, white grape juice and stonefruit permeate the palate, balanced by a soft mouthfeel and dry finish.
- O'cocorazz : A traditional English oatmeal stout with dark semisweet chocolate and raspberry puree.
- Kick Axe Pale Ale : This light, copper-colored beer packs a big floral nose with notes of citrus & pine. The malt delivers mild caramel flavors and the Cascade hops finish with a clean and crisp grapefruit bitterness.
- Shake Chocolate Porter : Our twist on the traditional robust American Porter, Shake Chocolate Porter is dark black in color with rich, sweet aromatics and flavors of dark chocolate, coffee and caramel. This unique brew blends five different grains, including Chocolate Wheat, that along with cacao nibs create a devilishly delicious chocolate finish with a velvety mouthfeel.
- El Cuatro : EL CUATRO is made of barley and caramel malts co-mingling with lactobacillus and brettanomyces. After brewing and conditioning, the beer is transferred into brandy & whiskey barrels to age for over a year during an extended Brettanomyces Lambicus fermentation. Prior to bottling, the beer is blended with a small portion of year-old SAHALIE. The only hops added to this beer arrive from the aged SAHALIE. 
The brandy barrels and wild yeast fermentation give EL CUATRO a plum & cherry fruitiness balanced by the slight toast of the malt body.
- Hopcentric Relaxation IPL : This IPL combines the traditionally crisp and clean Munich Helles with the innovative and aromatic American IPA to give you a fusion with unyielding flavor. The complex malt backbone lends sweet and bready notes which are balanced predominantly by Hallertau Blanc and Vic Secret hops.
- Moonlight Rider aged on Coffee and Hazelnut : Brown ale that has been aged over 9 months in rye whiskey barrels over coffee and hazelnut. You will be greeted with notes of coffee and a nutty whiskey wisping to the nose. As you drink, look for a creamy, medium bodied brown with coffee up front, chocolate, whiskey, and a delicious sweetness on the back end from the hazelnut.
- Noir De Dottignies : The heaviest ale on our menu with a very rich taste, coming from the six different kinds of malt we use. These malts also give it that rich, dark, nearly black colour. The royal doses of Challenger and Saaz hops bring the typical balance between sweet and bitter.bitter.
- Bourbon Barrel Aged Fruit Blend : This Northwest-style sour red ale was aged in bourbon barrels for 10 months, then aged on fresh apricots and sour pie cherries for an additional 11 months. Light touches from accent barrels (including raspberries, apples, and spices) were added to bring out the fruit even more.
- Double IPA : Imperial strength IPA that offers a peachy, fruity hop character with plenty of bitterness.
- Milly's Ploughman's Cherry Porter : Ploughman's is an English-style, malty, dark ale with a flavorful roasty character and a slight hint of cherries. The beer was aged for several weeks over 200 pounds of sweet and tart cherries giving it a subtle fruit flavor that melds well with its malt character.
- Ravenscraig : Bold from start to finish with cherries, vanilla, oak and SoCo complimenting the toffee, cocoa, and roasted flavors from the original porter. Aged in SoCo soaked oak, Marciano Cherries and Vanilla Beans to provide rich complex ale with a smooth finish that leaves you wanting more. Rather smooth on the tongue with a sweet roasted bitterness on the edges.
- Far Out IPA : The Galaxy hops from Australia give it a funkadelic tropical fruit aroma, and the balance between the malt and hops is wicked. You’ll want to bogart this one because every sip keeps you wanting more, and at 7% alc by vol, this IPA will have you talking jive in no time. It’s going to be difficult not to dig this beer, because it’s far out, man.
- Everyman’s Porter : The dark beer for people who don’t like dark beer. Lighter bodied with strong notes of coffee and dark chocolate in the aroma that carry to the flavor. Easily drinkable.
- $alt Lyf3 : $alt Lyf3 is a 5.8% IPA hopped intensely with Simcoe and Centennial with sea salt. Super expressive aromatics/flavor profile. Bright lemon peel, Grapefruit flesh, passionfruit, a touch of pine. The sea salt comes through on the finish and dries out slightly. We love this one for realzies. Perfect for ripping a 3' gnar gnar barrel with your bro-brahs.
- Belgo Hoptologist : Belgo-Hoptologist is brewed with Citra, Columbus and Cascade hops which give this American Belgo Style IPA enormous hop aromas of American pine & grapefruit and eccentric fruit and phenols flavors from the Belgian yeast.
- J.R.E.A.M. - Double Blueberry Peach : Imperial Fruited Sour Ale with Lactose
- Bucktown Stout : This name comes from the notorious red light district of some 100 years ago in which Front Street Brewery is located. An extra dark, almost black bottom brew, smooth with a slight coffee flavor, achieved by the use of highly roasted barley and black malts. This beer is known as the espresso of beers. Bucktown soon becomes the favorite of the adventuresome.
- Poop Deck Porter : A dark malty ale with rich chocolate notes and a hint of smokey flavor in the finish.
- Hopblack Ale : This black IPA is made with lots of Nugget hops and a clean American yeast. We use a form of dark malt for color that has little to no roasted character. It is clean, slightly sweet with low malt and lots of hop flavor.
- Baroness : Our dark & malty dunkel bock has caramel, toffee & stone-fruit aromas & flavors.
- T.K.O. : Not the "Darkest" beer we brew but the strongest. T.K.O. Is an Old Ale style beer pushing Barley Wine status. TKO is brewed using malted barley from England, Germany, and the U.S.. This ale uses more than double the malted barley we use in the production of the Kolsch. The result is a very sharply alcoholic but surprisingly smooth ale. Many caramel, candy like and slightly roasted malt flavors come through fairly dry and slightly balanced by moderate hop bitterness.
- Fruitless Double IPA : Big juicy double IPA hopped exclusively with Mosaic and fermented with British Burton Ale yeast. We think it is the Fruit Basket without the fruit. You be the judge.
- Atramentous : A Belgian stout base aged in barrels previously used for Resolute, our bourbon barrel stout. This beer is refermented with wild brett and lacto yeasts with sour dark cherries added.
- Imperial Stout X: Manhattan : As a special treat for lovers of big, complex stouts, Boulevard Brewing Company offers the 2016 Imperial Stout "X" series. The "X" factor stands for key variables added to each of several different limited releases throughout the year. This batch was aged in cooperage that had been used to barrel finish Jefferson's Manhattan cocktail, lending it an oaky/vanilla character with notes of earthy spice.
- Chief Hopper : Chief Hopper is a Double IPA hopped with Vic Secret, Simcoe, and Centennial hops inspired by the show “Stranger Things.” Chief Hopper is deep gold in color and has a dense white head. Dank aromas of pine, grapefruit, pineapple, and mango are accompanied by just a hint of malt. Smooth and balanced in flavor, a citrus forefront is matched with equal malt character.
- Black-O-Lantern : The next release in our small batch, high gravity OT Series is a completely new formulation Black O Lantern – Imperial Pumpkin Stout. This deep, dark, and intensely rich imperial pumpkin stout has flavors of cinnamon, clove, and nutmeg that complement the chocolate and roast character. At 8.5% ABV, this beer finishes surprisingly and dangerously smooth!
- Austere : A Saison of simple complexity.
- Nectarous : In the pursuit of sour, peach and nectarine play lead, while galaxy hops lend notes of citrus and passionfruit.
- The Red Rocker - Imperial Red Ale : Brewed with a touch of caramel wheat, chocolate, and honey malts, and balanced off with Cascade, Centennial, and Amarillo hops, this strong and tasty Red Ale boasts toasted caramel, fig, and raisin qualities. Deep dark amber in color, full-bodied and downright hearty. 
- 9 Pound Hammer : A new imperial IPA massively dry-hopped with Simcoe, Centennial & Cascade hops. Deliciously dank with aromas of resinous pine, freshly picked flowers & juicy citrus fruit.
- SIGTEBRØD : Our latest collaboration with our Scandinavian friends at Amager Bryghus. Inspired by Danish wheat bread, this beer incorporates stone ground whole wheat flour in the mash to add a rustic, bready flavor. Candied orange, lemon and freshly baked bread permeate the nose. Complex flavors of tangerine peel, grape and rustic bread emerge on the palate, rounded out by a crisp and balanced finish.
- Schlafly Kölsch : Our Kölsch is a classic golden ale that uses a centuries old yeast strain sourced from a famous Kölsch brewer in Köln, Germany. Fermented at 62 degrees, then cold conditioned, it has the delicate fruity aroma of an ale with the crisp, clean finish of a lager. It is brewed with lightly roasted malt and 100% German Noble Hops: Perle for bitterness and Hallertau Traditional for flavor and aroma.
- Ambacht Barrel-Aged G+++ : Barrel-aged version of Ambacht's G++, this potent brew was aged for six months in Hair of the Dog Cherry Adam barrels, picking up flavor notes from the dark strong ale, bourbon, and the cherries that were still in the barrel.
- PAPPAS : With aromas and flavors of dried cherries, stone fruit and hints of melon, this copper colored double IPA is not overwhelmingly bitter, but still has enough bitterness to balance out the flavors and textures of this big beer.
- Infusco : Inspired by a unique yeast’s ability to gently weave character and flavor into the beers if ferments. A sweet body balanced with a big alcohol warmth and a touch of hops. Lingering rich flavors add to the complexity. Try aging this one for a year or two at cellar temperatures and compare the flavors that will emerge.
- Arch Nemesis : Bold and satisfying, this Imperial Black India Pale Ale is a dark and devouring brew made with a touch of darkly roasted malt to give it the distinctive ebony color. The rich malt base is then bombarded with bountiful amounts of American hops lending bitterness along with citrus flavor and aroma. Although tempting, be patient and let this Ale warm in the glass a little to really let the layers of flavor unfold.
- Twisted Twig - Strawberry : Our base sour ale gets re-fermented on 400lbs of whole strawberries from Lorence's Berry Farm in Northfield, MN. They froze the strawberries last spring just after picking. We then pureed 200lbs of the fruit and added it back to the conditioning beer. The result is a thick strawberry delight. As winter sets in, this ale will remind you of spring, glorious spring.
- Wobble : Two Brothers set out to make a wide variety of creative and complex, yet balanced beers. But…once in a while we feel a need to “wobble” on the edge of really hoppy. Wobble IPA is golden in color with subtle malt character, big complex citrus and piney hop notes throughout.
- Barrel-Aged Skara Brae : Brewers notes: Sweet and malty Scottish Ale featuring 8 different malts for a warming, caramel flavor. Named after an ancient settlement on the west coast of Scotland. Aged for 11 months in Heaven Hill rye barrels, the finished product is both complex and refined.
- Collective Project: Dry Hop Sour : After the never ending battle between the hop heads and sour lovers, we decided to appease the two. Using Nelson Sauvin from New Zealand and Citra from the Pacific North West, this mixed fermentation brew is juicy, sour and extremely refreshing. Nelson adds a white grape and passion fruit base, while Citra explodes on the nose with lime, lychee and grapefruit. Sour and hops in perfect, thirst quenching, melody!
- Orderville : Orderville is an aggressive, fragrant beer that blends the fruit-forward character of Mosaic hops with the dank, resinous stickiness of Simcoe hops. The resulting beer is immensely complex and enjoyable, with an unmistakably bangin’ aroma and a fully saturated hop flavor and finish. The cracker-dry body keeps the focus squarely on the massive, incredibly delicious hop character.
- Liquid Gold : Light golden in color, but packed with flavor. This Belgo-American Ale is bursting with the spicy aromas and flavors created by the unique imported yeast strain. Fermented at higher temperatures, this beer throws off notes of clove, banana and citrus fruit. Light in color but big on flavor.
- Dead Stick Stout : A real treat. Dark and delicious this smooth sweet stout has a dense, lacy head is light brown with fine bubbles topping the black stout. The aroma presents rich roasted malts, chocolate, and fruit notes.
- Twisted Oak Stillage Barrel Reserve Scotch Ale : Born as a rich, creamy strong ale, this full-bodied scotch ale is allowed to rest in selected oak whiskey barrels to mature and develop flavors slowly and naturally. The nose combines bourbon, American oak, and cotton candy aromas. Complex malt flavors framed in oak, with hints of vanilla, tobacco, and toffee. This is definitely a sipping beer, best served in a brandy snifter. This ale pairs well with dark chocolate and sturdy cheeses.
- McGuire's Irish Stout : Not for everyone - but if a rich, creamy, dark ale with a distinguished roast flavor appeals to your taste buds you will enjoy a pint of McGuire's Stout. To produce the sumptuous, creamy head we use a special nitrogen draft system. This robust brew is created with dark roasted barley and Chinook Hops.
- Passiflora Blanc : Passiflora Blanc is a bright, sessionable 100% brettanomyces ale that spent 9 months in the barrel and was then blended onto passion fruit and hibiscus.
- Severance Pale Ale : Severance Pale Ale is our version of an English IPA. It uses English hop varieties, at 3 stages in the brewing process, for a slightly earthy hop flavor and aroma, and Maris Otter, a traditional floor malted barley, which gives it a bready or nutty malt character. This beer goes for a balance of hops and malt, with neither overpowering the other.
- Mama Risa : Dark Sour Ale with Tart Cherries and Bourbon Oak
- Grau Dunkel : Grau Dunkel is a traditional German-style wheat beer brewed using traditional German malts like vienna and munich. The wheat malt for this brew was smoked over the oak chips we used to age our Brown Honey Rum. The smooth flavor and aroma of oak, honey and molasses add a complex backbone to the brew. The weizen yeast strain used for fermentation provide dry, spicy clove and banana notes.
- Espionage : Goldenrod color, flowery fruit aroma, caramel malt and bitter hop flavor, medium-strong body
- The Bamb : Roasted malt, caramel, and barley provide a power body which hit’s upfront. From there, 62 IBUS of piney hops provide a refined bittering finish. Overall a complex texture with various notes of coffee, chocolate, caramel, pine and citrus makes this a one of a kind beer!
- 100K Hill : A sour ale with passion fruit and blackberries.
- fruitBOX Experimental IPA : fruitBOX is a collaborative India Pale Ale experiment with bottleBOX that was brewed with Stone Fruit. 
- Half Dome CA Wheat : Juicy Wheat Beer brewed with Stone Fruit.
- Silk Scorpion : Filled with equal parts of intense dusky citrus hops and dark malt flavors, this seasonal is seductively smooth, silky, and graceful, yet packs a hop punch for the hop-heads. The hops induce thoughts of grapefruit, blood orange, apricot, and tangerine as they intermingle with black, chocolate, and roasted varieties of barley smoothed out with a dash of oatmeal.
- Rye Robust Porter : A strong Porter, perfect for these damp rainy months. A liberal amount of malted rye gives this porter a smooth creamy mouth feel that is crisp and slightly spicy at the same time. darker Munich malts add depth and complexity to this ale.
- Smoking Gull : Brewed with Pilsner, Vienna, and flaked oats. We rode it hard with Citra and Mosaic. The Gull displays intense tropical fruit, berry salad and a touch of pine.
- Puzzles & Pagans : Bourbon Barrel Aged Imperial Raspberry Almond Stout. A complex grain bill with a broad range of toasted and roasted malts provide familiar flavors of toasted English Muffin, Toffee, Raisin, Espresso, and Chocolate. Balanced by the bright flavor and aroma of Raspberry that emerges from the rich malt character. An earthy and comforting aroma and flavor of Roasted Almonds complements the vanilla notes from the Bourbon Barrels.
- Rio Grande Outlaw Lager : This unique lager balances a rich caramel malt flavor with a smooth hop finish that keeps the palate crisp. Reddish-amber in color, this is a very complex California Common style beer with a great malt/hop balance.
- Barrel Aged Deep Space : Our flagship beer, Deep Space is a huge imperial stout which was made with all sorts of roasted and caramelized malts, giving it deep flavors of espresso, dark chocolate, and smoked currants. This Version spent one year in barrels and will be released for the first time at Extreme.
- 2cabeças / Experimento Beer / Verace Cabeçudo Wild IPA : Cabeçudo Wild IPA is a collaborative beer by 2cabeças, Experimento Beer and Verace made specially for the 2016 edition of Repense Cerveja festival, produced by 2cabeças. This is a white IPA 100% fermented with Brettanomyces in which a Brazilian fruit called coquinho azedo was added.
- Za'tart Rustic Sour Blonde : Za’tart pours bright golden in the glass, with a fruity acidity and an extremely subtle herbal note in the finish. The finish is crisp and dry with a lingering lactic acidity that begs for another sip.
- Bavarian Hefeweizen : This Bavarian style unfiltered wheat beer boasts huge fruity aromas of banana and clove. Made with premium German Pilsner Malt and German Tettnang hops. Low bitterness, refreshing, and smooth. We serve it without a lemon unless the guest requests one.
- Praying Mantis Porter : The water chemistry provides mineral flavor and body to complement the complex malt and hop ingredients that are drawn from the best of European and U.S. Pacific Northwest strains as sources as well as the time-honored process of traditional brewing techniques. The mineral factor influences the key brewing steps: mashing, sparging, boiling, fermenting and conditioning. Imported from England, the malt bill includes 2-row Pale Ale Barley Malt, Chocolate Barley Malt lively Yorkshire-origin Ringwood culture (a top-fermenting "ale" yeast) is used to ferment the beer.
- Hop Hiker IPA : A massively hopped IPA with expressions of tropical fruit and nuances of citrus and pine. Medium body with mild bitterness and a clean hop finish.
- Hop Continuum No. 1 - Blood Orange Gypsy IPA : The first foray into our Hop Continuum Series, our flagship IPA infused with blood orange juice, proved so popular that it transcended the series to stand on its own outside as a worthy companion to the original Neon Gypsy. Notes of grapefruit, citrus, and pine from a blend of seven hops balances the tart sweetness of blood orange juice for a flavor profile that roams your palate long after the beer’s bittersweet finish.
- Portsmouth California Common : Along with Cream Ale, this is America’s other indigenous beer style, made with lager yeast & fermented at 55° to create a fruity lager with a good hop presence.
- White Squall : This beer is our take on a traditional Belgian Wit, with a slight American twist. A malt bill featuring white wheat & flaked oats is balanced with a hint of cascade hops, that lends a bit of grapefruit aroma complimenting the citrus character of the orange peel and coriander. This ultra-refreshing wheat beer will have you coming back for more.
- Pete : American Pale Ale brewed with wheat and a blend of extremely aromatic hop varieties. Soft, fruity, juicy.
- Goggle Tan : Assertive hop flavor, supported by a medium malt body. A delicate addition of Oregon Apricot supports the stone fruit-like characteristics found in America aroma hops. Crystal malts provide subtle sweet hints of caramel
- The View From Nowhere : Passionfruit, Pithy, Bahama Breeze, Papaya, Punch.
- Bring The Summer : Cloudy with a chance of tropical fruit. This hazy pale bursts with citrus, melons, and pineapple aromas, finishing with a dense and pleasant bitterness. 
- Hobneelch’n Hoppy Saison : Although our Hobneelch’n Hoppy Saison gets its name from the Boontling word for “dancing,” it certainly swings to the beat of a different drum. Unlike classic saisons, we’ve forgone additions of coriander and spices in favor of a more complex and layered flavor profile using Bravo, Citra, Centennial, and Amarillo hops. Brewed with oats, wheat, and pale two-row malts and fermented with traditional saison yeast, this unique twist on a farmhouse ale boasts hoppy aromas and tart, funky citrus flavors leading to a dry finish.
- Black Stiletto Stout : A sexy, silky stout adds panache to any social situation, so we brewed Black Stiletto Stout with an eye toward style. Its creamy head smells sweetly of roasted barley and caramel before giving way to the full bodied blend of dark chocolate, toffee, and bready English ale yeast. Our choice ingredients create a rich and harmonious flavor profile that slides down the throat with a velvety mouthfeel. Robust but not filling, our Black Stiletto Stout will make you do a double take.
- Dogpatch Sour : This barrel-aged wild ale is named for our San Francisco neighborhood and pays tribute to the Flanders Red style of beer. Aged in wine barrels, this lightly tart ale is brewed with California Rainier cherries using a house blend of wild yeasts, bacteria and SF sourdough yeast. Pair this complex ale with ripe figs & blue cheese or seafood bouillabaisse.
- Gose - Lime And Basil : A continuation of our fruited gose series, this batch was conditioned on fresh lime zest and loads of fresh Italian basil leaves.
- Sleeping Dog Stout : Our stout lives up to the highest expectations of dark beer lovers. Roasted malts contribute notes of coffee and chocolate, while rolled oats lend a full and rounded character to the palate. So kick back in your easy chair with your trusty dog at your feet and a pint of Sleeping Dog Stout in hand – you can almost feel the heat from a roaring fire as you savor this warming brew.
- HopLab: Motueka : This 7.4% India Pale Ale uses a similar malt profile to most of our IPA, but we added large doses of New Zealand Motueka and Austrian Galaxy hops to the kettle and dry-hopping. The combination creates a unique tropical fruit and citrus flavor with hints of lemon/lime.
- Spanish Revenge Club : Wheat with orange and grapefruit
- Lil' Miss Passionfruit : One sip and this will take you straight to paradise! Our golden sour ale aged in oak with a dazzling kiss of passion fruit upfront followed by a juicy undertone of guava to make a deliciously brilliant tropical sour!
- Bee's Knees : Unfiltered Belgian-style double wheat beer brewed with 60 pounds of orange blossom honey from Hunter's Honey Farm in Martinsville. Pale colored and medium-bodied yet complex. Distinctive yeast and added spices produce a refreshing, fruity citrus flavor.
- 100 Barrel Series #63 - Super Dark :  Brewed by the light of the 2016 Super Moon -and by the lights of our brewery – this is a bigger version of our beloved Dark. Why brew a bigger version of our beloved Dark? Because that’s what the Super Moon told us to do. And when the Super Moon tells you to do something, you do it.
- Not So Peachy Gose : Hang on to that summer feeling a little longer with this citrusy, fruity and very easy drinking kettle-soured Gose. Brewed with San Juan Sea Salt for a touch of salinity and Cashmere hops, we also added some peaches for a rounder, fruity note, but not so much that it was Peach In Your Face because no one wants that. Contains wheat.
- Fruity Pebbulls : Breakfast Cereal IPA w/ Milk Sugar - Yabba Dabba MOO! We mashed in with enough cereal to have you bouncing off the walls like a Saturday morning cartoon then hit this beer with some of our favorite fruity hops - Denali, El Dorado and Michigan Copper in the whirlpool and dry hop plus some milk sugar - cause breakfast just doesn’t make sense without it!
- The Continental : "Oh. I see you let yourself in. You look much more ravishing in person. Fantastic. Can I offer you a glass of this Scotch Ale? It's brewed with walnuts. The dry, yet carmel-noted, yet roasty malt bill compliments the clean Scottish Ale yeast. Speaking of compliments, have I mentioned that you look ravishing? I have? Good. Have I mentioned that the walnuts lend a decadent nutty character? I have? Shoot. Well, those are my talking points. How was your day? Good? Good. You look ravishing. Have I mentioned that I look ravishing as well? Don't laugh." - The Pipeworks Continental
- Tornado : An extremely liberally hopped APA. Tornado was crafted during the unfortunate events surrounding the June 1st, 2011 Brimfield Tornado. We created the beer in honor of the circumstances as we experienced them and luckily escaped the path by 1/2 mile. Tornado is loaded with notes of pine, tropical fruit, and citrus. At 5.6% alcohol, it's super refreshing.
- Pond Jumper IPA : (6.7%, 64 IBU) First brewed as an ode to Hole 1 of Maple Hill Disc Golf Course in Leicester, Pond Jumper was also debuted there during the 2016 Vibram Open. Disc golfers love their juicy IPAs and this one was brewed for them. Passionfruit, grapefruit, mango, orange, and pineapple are just a few juicy words that apply here. So whether you are trying to clear the pond with a huge bomb, or just jumping in the pond to cool down, let Pond Jumper refresh and invigorate you. Cheers!
- Good Ryes Wear Black : In Chicago, the good guys wear black, so we dedicated our darkest beer to them. This one is scandalously spicy, built on a foundation of the finest malts and unscrupulously hopped with Chinook, Cascade and Citra. It's so good you'd think your tongue was on the take.
- Victory IPA : Copper color, grapefruit and citrus aroma, toasted bread flavor, dry body.
- Study Abroad : Belgian yeast gives this light-bodied ale a distinct spiciness with mild fruit esters.
- Blonde : Refreshing and flavourful, this thirst-quencher offers subtle fruit notes.
- Belgian Stout : Spearhead Belgian Stout is a smooth, complex black ale. Cascading bubbles swirl upward, capped by a beautiful mocha coloured head. Brewed with Demerara sugar, Curaçao orange peel, coriander and Trappist Ale yeast, this unique unfiltered stout has a luscious creamy texture and delightfully dry finish. It offers notes of chocolate and espresso with hints of banana, orange and tropical spice. Savour every mouthful.
- Helles : Our Helles beer (German for “Pale”) is true to the German style. It is dark gold in color with a balance between the malt sweetness & smooth hop bitterness.
- Green Flash Imperial India Pale Ale : he mountains of Summit and Nugget hops in this high gravity Imperial will thrill even the most experienced beer explorer. Savory evergreen and pineapple aromas mingle with flavors of bitter, resinous pine and grapefruit pith. A colossal rush of hoppy adventure!
- Saison Bouclier : A more traditional approach to the classic farmhouse ale, featuring the French hop Bouclier.  Fruity but dry, with some herbal/peppery notes.
- Cloud 9 : Hopped up with Comet, Centennial and an abundance of Amarillo. Floral and juicy with notes of orange hop candy, peach, grapefruit, cherry and pine. 
- Bojack Porter - Rye Porter : Bobby Jackson brews some very tasty beer in Bend, and he did not hold back when he brewed this one in Boise. Using German malts and two different Rye malts, he created this dark sessionable ale. Sip some as the nights get longer and cooler.
- Tears of the Goddess (Raspberries and Vanilla) : The first in a series of Sour IPA's. We first sour this beer and then hop it as a NEIPA right before its conditioned on Madagascar vanilla beans and Raspberries. Bold flavors come together with raspberries dominating followed by stone fruit and creamy vanilla and milk sugar.
- Natas : DC Brau and Stillwater Ales joined forces to create one of their own. "NATAS" is a Belgian Style Imperial Porter brewed with a traditional high gravity Abbey yeast. At first glance "NATAS" is pitch black in the glass with wafting aroma's of burnt sugar and caramelized fruit. The mouthfeel is silky smooth with hints of cocoa. It has a gentle, warming phenolic character that begs for a follow up inquiry. The hops are used to balance this brew and lend a subtle complexity. The dark lord himself would be proud to serve this hellish offering to his legions of demonic minions.
- Exhibit X: Double Red Ale : Brewed with roasted and caramel malts. Hop additions of Warrior, Willamette, and Mosaic. Heavily dry hopped for a pleasant hop aroma balanced with dark, roasted malt.
- Bodacious Bock : Bodacious Bock is a traditional German Spring Bock. Three organic malts are employed to give a complexity which hints of honey. Only German noble hops from the Hallertau region were used for the soft floral component. It was decoction mashed. This is a strong beer, imbiber beware!
- Dark And Stormy : A blended barrel beer of a dark ale mimicking rum and a lighter Ginger Beer.
- Velvet Merkin : Our decadent Oatmeal Stout lovingly aged in Bourbon barrels. Beautiful chocolate, espresso and vanilla-bourbon aromas hold your nose hostage. Rich dark chocolate truffle, bourbon and espresso create a dangerously smooth and incredibly drinkable barrel aged Oatmeal Stout. Hoarding tendencies may occur.
- Blue Sky Rye : A smooth amber ale with a rich, full body and ample rye flavor. Two types of rye are combined with English pale ale malt and dark crystal malt to give this deep copper ale a pleasant malty flavor. Modest additions of Styrian Golding and Crystal hops complement the flavor of the rye and balance the sweetness of the malts. (O.G. - 14.7P/1059. Hops - 28 IBUs)
- Passion Pool : Ale brewed with passion fruit & sea salt.
- Kuhnhenn Loco Yokel : This traditional farmhouse ale originated in Northern France and is related to Saison style although it sweeter, rounder, more malt focused, and lacking the spicing and tartness of Saison. This batch was made with 100% Michigan malted and grown barley and wheat. Malty sweetness on the nose, this orangish amber beer exhibits high malt, fruity flavors and is medium bodied.
- Honey Faro : This unique wild ale was inspired by Belgium's sweetened lambics, which were traditionally blended with Belgian dark candi sugar and served fresh. Our take on a faro features local honey as the sweetener, for a regional touch of complexity.
- Todo Modo : "Upright’s first brew using the yeast strain made famous by Saison Dupont. It’s a session-style hoppy saison, coming in at 3.8% abv. The beer was fermented very warm in our open tanks, yielding a nice fruity contrast to the peppery character derived from perle, east kent golding, and santiam hops ."
- 4 Alarm IPA : Our classic west coast style IPA is hoppy, fruity and citrusy with a fantastic caramel malt backbone keeping it well balanced. Tawny amber coloured and medium bodied with a long lingering finish. Fantastic with spicy foods or tangy salads. 
- Kuhnhenn Loonie Noir : This is our Loonie Kuhnie recipe with tons of dark malt added to make a black pale ale. Hoppy and malty on the nose, rich maltiness drives the palate of this beer while hops brighten the finish. Hoppy and dark beer lovers should try this brew.
- Invisible Force Over Ale : Over Ale with Dark Matter Coffee added to the cask.
- Batch #004 : Brewed with passion fruit
- Green Flash Le Freak : Le Freak® is the first-ever hybrid ale of its kind: the convergence of a Belgian-Style Trippel with an American Imperial IPA. This zesty Amarillo dry-hopped, bottle-conditioned marvel entices with fruity Belgian yeast aromatics and a firm, dry finish. Aromas of orange and passion fruit with sweet bready malts, and flavors of orange marmalade and citrus fruit pith. Experience a legendary beer.
- Mild Winter : Toffee color, dark bread aroma, caramel and rye flavor, medium-light body.
- El Dorado : Single Hop Pale Ale. This hop has bright tropical fruit flavors and aromas of pear, watermelon and stone fruit.
- Biere De Chocolat : Our Biere de Chocolat celebrates the long and lauded history of chocolate production in San Francisco. Our aim was to create a beer bursting with cocoa flavors and aromas, balancing sweet and savory to create a complex but quaffable chocolate brew. To accomplish this we partnered with Dandelion Chocolate in San Francisco to create this rich brew brimming with chocolate character. Working with the unique flavors of Dandelion’s single-source beans, we created this decadent beer by layering in smoked and dark-roasted malts with citrusy Ivanhoe hops from Clearlake, CA. Finally, we added a blend of hand-roasted cocoa beans sourced from Madagascar and Río Caribe, Venezuela. The Madagascar beans add bright berry-cocoa flavors, while the Río Caribe adds dark chocolate and bourbon notes. A touch of vanilla rounds out the supporting flavors to create an eminently drinkable beer that is a chocolate lover’s beer through and through.
- Cosmic Monster : Cosmic Monster is a rustic Belgian style strong ale that is balanced with a generous addition of fresh fruit. This beer is fermented with real, pureed blackberries and then aged to perfection over fresh raspberries. Its balance of robust malt and fruit flavors make it a beer that is as refreshing as it is complex.
- X.P.A. : Our newest beer is an extra pale, extra hoppy pale ale. This extra pale ale is less malty than a traditional pale ale, to allow the citrusy goodness of the hops to shine through. This quaffable pale ale has a wonderful stone-fruit aroma and a grassy hop flavor.
- Brooklyn Quintaceratops : Quintaceratops is a Belgian-style Quadrupel ale brewed with dark candi sugar. This beer is aged in rum and bourbon barrels.
- 3 Minutes To Midnight : Based on our award-winning recipe that debuted at Cask Days 2012, this smooth elixir is your partner in crime. In second-use cognac barrels (previously housing Bring Out Your Dead), this rich and complex imperial stout gains a complexity that can only come with age, aided by the addition of cherries, raspberries, and cocoa nibs. Deep roasted flavours hint at all the black coffee and dark chocolate you could ever want, and the cherries create a complimentary tartness that marries the fruit and malt perfectly.
- Yoshi's Nectar : This beer's uniquely American style dates back to the late 1800's California, where brewers were using lager yeasts that had been adapted to ale fermentation temperatures due to the lack of refrigeration. The resulting beer has a subtly complex flavor that is a hybrid of lager and ale flavors. Our version of this classic is fuller-bodied with a pleasantly toasty malt flavor, and less aggressively hopped - making for a smooth and drinkable beer enjoyable to both novice and veteran craft beer enthusiasts.
- The Yard: Passion Fruit Milkshake IPA : Brewed with oats, lactose and passion fruit, then copiously dry hopped. This milkshake double IPA is sure to bring everyone to the yard.
- Alpha Galactic : Alpha Galactic is a west coast pale ale with a blast of intergalactic flavors and aromas. A base of pilsner malt lays down a delicate foundation for the Australian Galaxy and American Warrior, Amarillo, & Simcoe varities. Dry hopping with Galaxy creates bright aromas of passion fruit, pineapple, and dank resin. 
- Saint Edward : Formerly Dark Farmhouse Ale
- Yuengling IPL : Yuengling is proud to introduce its IPL, a brew bursting with complex hop notes like an IPA but with a well-balanced lager base that allows the Bravo, Belma, Cascage and Citra hops to truly shine.
- Always Ready : Cape May is home to the Coast Guard, so we salute those who are Always Ready with a juicy, Northeast Pale Ale. With the addition of wheat and oats for a medium body and with brilliant aromas of tropical fruits like pineapple, mango, and citrus zest, this lush hop-bomb is Always Ready.
- Pass The Kvassier : We partnered with Patisserie 46, a South Minneapolis French bakery, to make Pass the Kvassier, a light, refreshing kvass ale with rich spicy notes, a light tartness, and subtle stone fruit undertones to accompany a lightly sour, malty beer that goes down easy at just 3.3% ABV. Sixty loaves of Patisserie 46's vollkornbrot (a german sour rye bread) and some rye malt were used to make a mash that was then fermented using the bakery’s sourdough yeast culture
- 900 English Ale : The "little sibling" of 1800 English IPA is the definition of Standard English Bitter. A beer with nutty, bready fruitiness and a slight hop presence.
- Rubotto Sour Saison : Brewed with over 150 pounds of raspberries per batch, this light, tart saison is bursting with fresh raspberry character. With undertones of white pepper and stonefruit, Rubotto is juicy, balanced, and as drinkable as can be.
- Angel's Envy Port Barrel Aged Acrimonious Imperial Stout : This thick, black, Imperial Stout was aged for 4 months in port wine barrels that were used as a second finish for Angel’s Envy Bourbon. Dark fruit, coffee, chocolate, caramel, and bourbon combine for a warming experience.
- Blonde : Light fruity ale with hints of lemon and citrus. Lashes of low coloured pale malts that delivers a summer freshness and balances out with a citrus finish, due to the American hops.
- Le Kabouter De Guerre : It's sort of an homage to Houblon Chouffe, a Belgian Double IPA. But, while La Chouffe's mascot is a happy little gnome, La Kabouter is an angry one. Big bitterness and big hop flavor. Jeremy dry hopped the beer and says it is a monster! The grain bill is quite simple; A lot of pale 2 row, some Munich and some wheat as well as some Belgian Candy sugar to dry it out. A Belgian yeast strain was used to add some complexity of flavor and some tasty esters and phenolics, but this is a hop bomb for sure. Using Amarillo, Cascade, and Palisade hops, between the first wort hopping, the boil additions and the dry hopping, this little angry elf should clock in at about 92 IBU's and 8.9% alcohol. All in all, it's roughly 3.1 lbs of juicy American hops per Bbl! Jeremy says he sure had a lot of fun brewing this beast and he hopes that our rabid patrons will enjoy it.
- Alpha Pale Ale : Alpha Pale Ale derives its name from the alpha acids in hops which, added early in the boil, impart a distinctive bitterness. Cascade and Amarillo hops are used to make this beer. Hops are added early and late in the boil and then dry hopped in late fermentation. They contribute a wonderfully complex fruit and citrus aroma. Pale malts round off this beer with a fuller malt character.
- Éphemère (Framboise) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Polycephaly II : A fusion of sour reds and sour browns, each component ranged from 1-3 years in the barrel. Oak malt, tart jabs, and a funky backbone formed from the complex blend of wild yeast. A balanced interpretation of both east and west Flanders tradition.
- Bird Of Passage : This golden tart ale wasusing flaked rye and flaked oats then inoculated with our house strain of Lactobacillus before being dry hopped with Azacca hops. Look for an orange tangy sensationon the palate with strong peach notes and passion fruit in the nose.
- Derailleur : Deep burgundy brown; unfiltered, with a dense, creamy head. Complex, fruity, spicy aroma, featuring raisin, fig and banana with notes of clove and black pepper and a hint of freshly baked bread. Rich, warming dried fruit and spice flavours, minimal hop bitterness and a hint of malt sweetness. Long, balanced finish.
- The Flanders Giant : After a day spent wandering the cool, dark corridors between our stacks of beer resting within barrels, the notion for The Flanders Giant was born. Constructed by blending select barrels of our most baroque beer, The Flanders Giant takes what our team loves best about tart, Flemish beers and boozy American-style barrel aged ales. Notes of leather, black plums, and tart cherries are accented by sturdy, American oak & whiskey. It’s Flanders beauty matched with American drama. 
- Freistaat : Freistaat is a ruby-colored Doppelbock fermented with our house lager strain. Aromatics of bread and caramel malt result from a lengthy boil and resulting melanoidens. Flavors include complex nutty malt sweetness, light plum, noble hop character and slight alcohol warming.
- Upshitz Kriek : We added a boat-load of the most exquisite sweet dark cherries we could find, giving Upshitz Kriek an abundance of sweet and tart fruity flavors, balanced by a far from modest grist bill. Both our house Belgian yeast and a select strain of Brett Drei offer sensational contributions to give this sour ale its unique and delicious flavor. Just don't be caught without a paddle.
- Hypnotized (Echo Series) : Hypnotized is a red sour beer aged in unrinsed Ensorcelled barrels. The Brettanomyces, Lactobacillus, and raspberries from Ensorcelled deepen the complexity of Hypnotized. This Echo Series release presents traces of juicy raspberries and lemon tarts.
- Brewmaster's Choice Brown Ale : A dark brown to ruby hued in color. Note of chocolate & coffee on the palate.
- Order At The Bar : Our collaboration with @mulebarvt . We had the boys from Mule Bar in Winooski, VT down to brew a collaboration a few weeks ago and this is the fruit of our labor. We brewed this beer to be a spring crusher. Light and airy with just a touch of citrusy hops this beer highlights the variety of citrus fruit that we added to it. It's meant to be a true American table beer with just a slight twist. We love this beer.
- Electric Bloom : A New England Style Pale Ale brewed with Eureka and an experimental hop currently called 07270. Resinous and fruity, this beer sings with notes of spruce, mango, and tangerine, and drinks smooth wIth semi-dry finish and velvety mouthfeel.
- 1890 I.P.A. : ur 1890 I.P.A. starts with a clear, golden amber color. The medium bodied ale gives huge floral and grapefruit aromas. The 1890 I.P.A. is well hopped with carefully selected varieties giving it big citrus-hop character without being crushingly bitter. 
- Chocolate Peanut Butter Stout : A well-rounded stout brewed with seven varieties of malts, two varieties of hops, chocolate and peanut butter. This bittersweet stout has subtle hints of dark chocolate, peanut butter, coffee, molasses and a slight roasted finish.
- Tropicale IPA : Brett IPA (With Citrus Fruits)
- The Next Chapter : Big, bold, hoppy, bitter in all the right ways, with rye malt complemented by liberal doses of Columbus, Simcoe, and Mosaic hops. With piney citrusy goodness in the nose, followed by an awesome malty hit with just the right amount of bitterness to make it a memorable IPA, and finishing off with that unmistakable fruity hop finish that only Columbus and Mosaic hops can provide.
- Ronaldo (2017) : Dark Lord aged in Muscat barrels with tart Michigan cherries
- 7-11 Dübbel : A Belgian dübbel with pronounced dried fruit and clove esters. These flavors are derived from the Belgian Abbey yeast and inverted Belgian candi syrup.
- Beach : Like the tension and relief of a day spent flitting between laying on sand under the beating sun and bobbing on the ocean’s cool surf, summer session drinking needs leisurely contrast. With Beach we find that midpoint where Kolsch yeasts fruity character matches its lean dryness and where an amber’s roundness gets pulled taught by cracker notes. The hops’ fruity aromatics flow, and the bitterness ebbs, with a swash of orange zest to be clean and lean, bitter and bright. Drink Beach and be chill.
- Pime Öö : Translation: Dark Night
- Belgian 56 : This is our beta version of a Belgian IPA. Akin to a wallop of tropical fruits and that vibrant weekend refresher, the Mimosa, it blasts you with aroma and then floods your mouth with flavor waves brought on by fresh citrus pith and rind. A spritzy texture and rustic grains balance out the explosive aromatics and serve as a subtle reminder of this lively beer’s Belgian heritage. Enjoy it with a handsomely hand rubbed cut of beef, slow roasted with your favorite Indian spice blend.
- Thomas Hooker Spinster Hop XPA : Thomas Hooker Spinster XPA is a very sessionable, light bodied ale. Full of bright citrus and grapefruit notes, this unfiltered brew showcases the use of one single hop, Summit. The bold use of this unique hop variety lends a lingering bitterness and floral bouquet to this crisp and refreshing extra pale ale.
- No. 05 English Porter : Robust Porter Ale with toasty, chocolaty dark malt flavors.
- Extra American Stout : A robust and stronger version of a dry stout, highly hopped for bitterness, aroma and flavor. Has a intense " burnt currant " character. Full bodied, it is dark copper to black in color. The high gravity leads to notable esters and fruitiness. Alcoholic strength is evident. Rich maltiness. The roastiness melds with smoky,burnt,fruity, estery notes and alcohol flavors. There is a hint of cocoa.
- Munken : The monk is a rich and complex abbey beer with a cascade of aromas and flavors. Well malt in combination with a special kind of raw gives the beer its distinctive characteristics. We have even heard Belgians exclaim, "This is the best tasting beer I ever drank!"
- Bulgakhopf : Bulgakhopf is an 8.5% DIPA made with 2-row and flaked barley. Onto that creamy base we added Equinox, Saphir & Amarillo hops and fermented with a blend of London Ale yeast and saccharomyces trois to give an added depth to the tropical fruit notes. What results is a hazy, juicy potion assembled with one modest goal in mind: your absolute delight. And it hits bottle shops today. It was bottled on Wednesday and is fresh as Hell. Come on and get it.
- India Pagan Ale : A New England style IPA - hazy, juicy and aggressively hopped. The unique blend of four American hop varieties provides a sensational aroma of tropical fruit. A soft mouthfeel is followed by a smooth, lingering finish. 
- Myopia : Brewed exclusively with Thomas Fawcett Optic malt, hopped and dry hopped generously with Equinox and Mosaic hops. Resinous pine and berries, dark fruit with hints of citrus.
- Caravaggio : Powerful aromas of chocolate, walnut and tobacco; strong, thick flavors of molasses, charred oak, and smokey bourbon; lingering finish of dark roast coffee; overall quite intense and dramatic.
- Chainsaw Princess Of Karate : Dragon fruit passion fruit sour ale. Collaboration with Big Choice Brewing.
- Straw Children : Notes of fruit, black pepper, citrus rind & spice.
- Schell's Stag Series: Cave Aged Barrel Aged Lager : Dark brown to black in color. Roasted malt notes of dark chocolate, toffee, light oak, char and a hint of vanilla. Medium to full bodied with low hop bitterness and a slight caramel sweetness.
- Moment Of Clarity : Moment of Clarity is an American Milk Stout carefully brewed and conditioned with coffee, chocolate, and dark amber maple syrup. It pours beautifully in the glass with a rich, mousse-like head and dense complexion. It exhibits strong maple and chocolate aromas on the nose and recalls chocolate covered maple cream candies in the flavor. Though dense and flavor filled, it still maintains a certain fluffiness that makes it easy and pleasant to drink a big glass of. It is a wonderful and decadent treat that, for us, evokes a yearning for relaxed Sunday mornings with a pile of chocolate chip pancakes.
- Gnar Galaxy : Our gnarliest NEIPA to date pours a hazy orange hue with a white lacy head. It was heavily hopped with El Dorado, Galaxy, and Amarillo hops. It's bursting with flavors of juicy stone fruit, passion fruit, and citrus.
- Mmm... Fruit (Plum) : Mmm... Fruit Berliner Weisse with Plum (4.2%) is conditioned on mirabelle and damson plums.
- Gotta Get It! (West Coast IPA) : This is straight West Coast IPA, brewed with Citra and Mosaic hops for aromatic notes reminiscent of citrus and tropical fruit. It will be Dope and Dank!
- Scratch Beer 69 - 2012 (More Helles, Less Bock) : More Helles, Less Bock is an easy-drinking lager that blurs the lines between Helles, Bock and Maibock styles. At 5.6% ABV, 21 IBU, and light straw color, Scratch #69 portrays itself as a Helles; but inside the glass lurks a more complex beer reminiscent of the Bock style. Aromatic toasted chestnuts and hints of honeysuckle flower present themselves before the first sip. After tasting More Helles, Less Bock you will immediately want more. The floor-malted barley gives an earthy flavor that pairs with the hints of bitterness from Tradition. The finish is sweet and malty, yet still refreshing; a light filtration adds bread notes at the end.
- Marron : With a deep copper to brown color, Marrón (Spanish for brown) and all of its nutty goodness is a perennial DBC Taproom and Darwin Brewing Company favorite. This is a roasty, caramel-noted American Brown Ale that is drinkable all year long. Your new go-to Brown Ale.
- It's Hazy, Not Lazy : A hazy NE-style IPA. Lower bitterness, fuller body, with juicy citrus and tropical fruit flavors from the Citra and Australian Galaxy hops. We used the London III ale strain on this batch so it’s actually hazy!
- Star Metal : Prepare your flavor detectors for the pinnacle of tropical refreshment. We loaded this mouthwateringly delicious super-Berliner weisse with generous helpings of blood orange, guava, pineapple, and hibiscus, effectively blurring the lines between beer and fruit punch.
- Great Pumpkin Imperial Stout : Our Pumpkin Imperial Stout is a traditional dark and rich stout infused with pumpkin flavoring. The pumpkin is subtle in this beer and the nose is marked by nutmeg, allspice, pumpkin, and strong roasted malt notes. There is a greatly appreciated balanced level of spice and maltiness. This is truly a beer that will complement the Autumn season.
- Scandinavian Spruce Ale : This ale is brewed at Klackabacken in Önnestad from water, pilsner and carapils malt and then boiled with cascade hops and spruce shoots before it's fermented with Saison yeast. Because the Ale is unfiltered it might be a bit turbid but it will get clear if kept upright in the fridge for a couple of days. Keep dark and cool.
- Undefeated IPA : A beer designed to fill your soul with victory. This sessional, hoppy brew starts fast and finishes strong with a blast of citrus. It pours Golden in color with an orange-ish hue when held to the light. It has a thick fluffy white head with good retention that leaves some lacing on the glass. The aroma is tropical fruit and citrus with slight resinous hop character. The malt is low and does not provide balance allowing the hops to shine. The body is medium in texture with proper levels of CO2. Overall, it is a hoppy, crisp refreshing dry pale ale with a sturdy hop presence with little to no malt back bone.
- Nadia Kali Hibiscus Saison : Nadia Kali is an inspired saison with cross-cultural influence. Nadia’s ruby pink glow comes from a generous infusion of hibiscus, while ginger root gives it a subtle spice and hint of woodsy maturity, and lemon peel adds a citrus tartness to keep you on your toes. Full of complexity and intrigue, this unfiltered beauty will show you just how deceiving looks can be..
- Drink Me Cream Ale : Full-flavored beer. Rich. Robust. Quickly mellows, leaving the palate with a subtle hint of fruit.
- Lost Souls : Lost Souls is a dry Irish Stout with a roasted coffee flavor that dominates the hop character in this dark black ale. “Don’t lose your Soul!”
- Don't Call It Frisco! Double IPA : Brewed with an irresponsible 8lbs of hops per barrel, Don’t Call It Frisco! is our local’s-only Double IPA. Brewed special for San Francisco Beer Week 2015, this impossibly fresh Double IPA is brewed expressly to be enjoyed within days of packaging. A simple base of malted wheat and two-row barley provide the liquid canvas for layering on buckets of Citra, Simcoe, Polaris and Amarillo hops. Aromas of peach, citrus, passionfruit and mango erupt from this IPA fanatic’s hop bomb. Call it fresh, call it hoppy, crushable or dank—just Don’t Call It Frisco!
- Vol. 12 : A fruited sour that we brewed in collaboration with our good friends from @brouwerscafe to celebrate their 12th Anniversary. Vol 12 was brewed with pilsner malt along with a large amount of unmalted and malted wheat. It was fermented entirely in oak barrels with our house wild culture and then transferred into oak puncheons, where it aged on a massive amount of Black Raspberries.
- Hop Serpent : In spite of the high IBU level this is a deliciously drinkable Imperial IPA with plenty of hop aroma and flavor. Five different hops are used to give this a fruity finish with hints of Passion Fruit, Mango, Peach, and Apricot.
- Wild Irish Raspberry Wheat : Each batch of this light, fruity ale is made with 84 lbs. of raspberry puree. It has a brilliant pinkish tint and a hint of natural raspberry tartness. Introduced in the Spring of '94, it was so popular that we now brew it year 'round.
- Passin' Up On My Old Ways : Passionfruit guava sour.
- Vintage Nun : This year’s Vintage Nun is a blend of our wit, which spent two years aging in red wine oak barrels. A portion of the barrels were spontaneously fermented. The result is a tart, well balanced, refreshing ale, with notes of oak, red wine, unique barrel funk, and citrus fruit. It pairs with salty or herbed cheeses, smoked meat and fruit.
- Friend Of The Devil : This Belgian Dark Strong Ale begins with an aroma of spice that quickly warms the chest with a bit of dark caramel and malt richness before ending with a clean finish of dark fruit flavors of fig and raisin. Saints and sinners watch out.
- DOrT : It was for the blue collar laborers of the coal mines and steel works that Dortmund's brewers first made a strong lager slightly darker than the Czech Pilsner, but as malty as Munich's finest offerings. Inspired by this tradition, Clandestine has brewed a beer called simply 'dOrT'. Beginning with water carefully built to replicate the high mineral content of Dortmund, only German malts are used to produce a strong lager with malty flavor and a full-bodied mouthfeel. Finally, German Spalter hops are added to give a balanced bitterness, accentuated by the minerals added to the water. Taken together these ingredients produce a smooth and balanced beer.
- Cthulhu's Crown : Sauer Porter with blackberries added. Brewed in collaboration with The Porter Beer Bar to celebrate The Porter's 8th anniversary! Rich chocolate and espresso upfront with hints of lactic and fruit tartness in the finish, just enough to keep you drinking more..
- Citra Stupor : We decided to go big with this next limited release! It is a scaled up, triple dry-hopped version of our popular “Citra Splendor” DIPA. It will pour an orange haze with a big white head. Aromas of tangerine and passion fruit dominate the nose. The mouthfeel is very soft accompanied by a juicy burst of tropical character with every sip.
- Never Gonnagetit : Never Gonnagetit is the next installment in our fruited Gose Never series. This time we bombed the heck out of it with mixed berries. A ton of raspberry, blackberry, and boysenberries went into this #purplebeer. 
- Sister Ray : Bright, creamy & crisp, this refreshing blond ale delivers intense fruity hop aromatics from an emphatic addition of citra in dry-hopping (3 pounds/ barrel).
- Polycephaly I : A fusion of bourbon barrel aged barleywines, a Belgian quad, and an imperial stout to create something astounding. Rich notes of raisin, toffee, dark sweet cherry, vanilla, and chocolate.
- Head Trip : Lately it occurs to me what a long, strange trip it's been. This brew has a deep golden color with spicy phenolics, fruity notes, yeast and clove in the nose. Rich mouthfeel with complex fruity, yeasty flavors and hints of clove with just the right amount of hop bitterness and a slightly sweet finish. Drink up do-dah man.
- The Duel : India Pale Ale Finished with 3 strains of Brettanomyces & Generously-Hopped with Warrior, Centennial & Galaxy Hops; Notes of Tropical Fruit & Grass Intermingle with Barnyard, Hay & Hints of Funk; Brewed in Collaboration with Maine Beer Company (Freeport, Maine) at Bluejacket in Washington, DC.
- Augusta Maibock : A traditional spring beverage in Germany, this beer is sweet, dark & malty.
- Short Dark & Breakfast : Short Dark and Breakfast Stout (7.4%) brewed with lactose, coffee and maple syrup.
- Sleepy Dog Scootcher Scottish Amber Ale : An amber ale that's both smooth and sturdy, with a wee bit of dark roasted malt and noble hops.
- CoCoPo Coconut Porter : The malts were selected for their nutty, biscuit-like flavor and caramel sweetness, and to add color without a roasty astringency. Apollo hops and experimental hop HBC 438 add peachy stone fruit, pineapple, coconut, lime and tropical notes along with hints of herbal cedar. The delicate flavor of toasted coconut in this medium bodied brew is just enough to remind you of a liquid candy bar. Contains wheat.
- D.P.A. (Desert Pale Ale) : We took an I.P.A. (India Pale Ale) and strapped on an Arizona desert twist. It’s a great IPA with a nice clean hoppy start driven by our Hop blend and a smooth, sweet finish coming from organic agave syrup. Tasting notes include citrus and tropical fruit, starting off Hop forward and finishing smooth. It’s a warm weather drink for craft lover.
- Mother's Milk Irish Stout : Irish style stout. dark, smooth, chocolate flavors blend with hints of earthy English hop notes. Brewed with pale, roasted barley, flaked barley and hopped with traditional English goldings.
- Roasted Russian : This full-bodied smooth and silky imperial stout delivers robust malty sweetness up front moving into a roasted malt character and accented by notable hop character. Roasty, rich & complex.
- Bone Warmer Imperial Amber Ale : Our Bone Warmer is brewed the same way, using only the first runnings from an extraordinarily thick, strong mash of Idaho 2-Row Metcalfe and Harrington barley malt, along with dark German Munich and caramel malts. We subtly spiced it with Idaho Chinook hops, fermented it at cool temperatures and cold-conditioned it for smoothness and drinkability.
- TBN : Fruit Cup Pale with Pineapple, Peaches and Cherries.
- Spearbeer : This is a light copper-colored English style Pale Ale with a malty character and just a hint of fruitiness balanced by medium hop bitterness. The ale finishes with a pleasant hop flavor and aroma.
- Soundcheck : Our first beer in our audition series, soundcheck is an IPA brewed with Mosaic lupulin powder. Soft balanced flavors with a fruity and piney nose.
- Brainwash : Brainwash glows a hazy, post-hypnotic yellow and smells of mellon, passionfruit, white pepper & grain. The taste is juicy and tart, very much like a wild ale, but it achieves it’s flavor profile simply with water, hops, grain and sachromyces (non-wild) yeast.
- Pineapple Orange IPA : This juicy IPA was double dry-hopped with a blend of citrus forward hops along with real pineapple and orange puree. Oats and wheat join the hops and fruit to create a soft and delicate mouthfeel reminiscent of a refreshing glass of juice.
- Tomos Watkin Old Style Bitter : A rich red premium cask ale produced using pale ale, crystal and wheat malt. A full fruity/citrus hop flavour of willamette and fuggle with the light aroma of goldings.
- Shiny New Toy : For those forever chasing that shiny new toy, we offer our limited edition, single-hop Extra Pale Ale. Potent, juicy aromas of tropical fruit and pine from Idaho 7 experimental hops.
- Åbro Bryggmästarens Vinterbrygd : Dark wheat malt, black malt and pilsner malt. Hops: Galaxy, Cascade, Taurus.
- Northern Monk Patrons Project 5.02 Helvellyn Light IPA : The second beer in our Patrons Project series with fell runner Ricky Lightfoot. A sessionable, refreshing IPA to quench your thirst after a day on the fells. Expect citrus and tropical fruits with light caramel malts and a clean, bitter finish. Flavours as bold as it’s namesake.
- Skully Barrel No. 27 : Dry hopped dark sour ale.
- Dutch Master Smoked Belgian Red : This unique ale is unlike anything we have ever brewed before. A fusion of our house Trappist yeast blend and Cherrywood smoked barley culminates into ale of massive complexity. Belgian yeast esters perfectly contrast the phenolics of the smoked barley. This beer is brewed with Belgian Abbey malt, Special B, and dark candi sugar to impart notes of figs, dark fruit, caramel, and toast for additional complexity and balance. Go ahead and break one down, it is the perfect beer for the season!
- Scratch Beer 108 - 2013 (Triple) : Over the years, we've visited the Triple numerous times throughout Scratch Beer history. Our latest rendition of this strong yet sweet Belgian style boasts a sunny golden hue and dense, soapy head. The flavor of Scratch #108 originates in the Abbey Ale yeast strain (an authentic Trappist style), which produces a distinctive fruity character with a hint of dark fruit evoking plums. The addition of cane sugar bolsters the sweetness, a hallmark of the Triple style. The use of Hersbrucker hops in our hopback vessel fortifies the bitterness and lends a mix of spicy, floral, and fruity notes, giving Scratch #108 a complex aroma and flavor profile. Deceivingly drinkable, don’t let this strong ale sneak up on you!
- Ol' Cameron : A very dark, moderately strong, roasty ale. Tropical varieties can be quite sweet, while export versions can be drier and fairly robust.
- Black Oak Nox Aeterna : This brew uses local hand-roasted coffee beans & flaked oats to give it a rich and full-bodied mouth feel. Adding smoked malt gives this beer a complexity reminiscent of morning camp fires while rich chocolate and espresso notes awaken the senses. We highly recommend enjoying this brew (in moderation, of course!) alongside your morning bowl of oatmeal.
- Crooked Stave Wild Wild Brett "Yellow" : Wild Wild Brett Yellow is fermented entirely with Brettanomyces yeast and was inspired by the savory sweet combinations found in Southern Indian cuisine by incorporating turmeric, mango coriander and spices. Yellow pours a golden hue delivering tropical fruit aromas with earthy citrus flavors and a dry tart finish.
- Dad's Oatmeal Stout : John Geaghan was raised on the tough streets of Bangor, fought in World War II, and wanted nothing more than to come home and start a family. Geaghan Brothers Brewing Company grew from Dad's dream of a better life for his family. It seems fitting to introduce Dad's Oatmeal Stout on Geaghan's favorite holiday, St. Patrick's Day. Our oatmeal stout is full bodied and silky smooth with coffee-like aromas. Additions of Chimook and U.S. Goldings hops give balance and moderate bitterness to this rich, dark beer.
- Polynomial Pale Ale - Rotating Hop Series : An elegantly balanced ale which infuses English malts with American hops. Sweet malty tones of biscuit are balanced by a piny dryness that ushers in a plethora of floral and aromatic hop notes such as tropical fruit, spice, berry and citrus. 
- Sticky Hands - Man On The Moon : Blast into the hop solar system with our latest Sticky Hands creation. Maris Otter barley malts launch multiple kettle additions of Comet and Apollo hops before an orbit of dank Galaxy hops spin in the whirlpool. Two select brewer’s yeasts work in tandem fermenting the extraterrestrial hoppy wort, complementing the beer with soft notes of stone fruits. Finally, a double dry hop of Galaxy completes this hop trip to the moon.
- Son Of Samurai : Dark red Saison dry-hopped with Sorachi Ace hops from Japan.
- Shacklands Tripel : A Belgian ale brewed with an abbey yeast to deliver the style's classic spicy aromas and flavours with muted alcohol notes. A surprisingly complex beer for a style that was originally invented as Belgium's response to the rise of pale lager.
- Non-Stop Hop Onslaught : A straw-colored session IPA that delivers waves of generous fruity characters and hops to the nose and plate. This brew is so easy drinking you may never want to stop. New York wheat malt and locally rolled oats imparts a silky medium body and blight haze while New York hops contribute subtly herbal finish.
- Crimsonberry Ale : Crimsonberry Ale is made by brewing a lightly-hopped, full-bodied, wheat beer and flavoring it with natural cranberry, raspberry and blueberry flavorings for a great fruit sensation. We start with a wheat beer in part because wheat lends a tart, fruity character of its own that meshes well with the fruit flavors. The mix of fruits has been adjusted over the years to provide a great balance of fruit character. (O.G. -15.4P/1062. Hops - 19 IBUs)
- People's Porter : People's Porter is a robust English-style brew with a dark, ruby hue. Complex chocolate, caramel and toffee notes give way to an herbal bitterness, finishing with a pleasant hint of espresso.
- Dirty : Formerly 'Dirty Blonde', Dirty is an American Style wheat beer with a twist. We brew this beer with American ale yeast which keeps it light and refreshing. Dry hopping with Cascade and Centennial lends a strong grapefruit aroma and citrus flavor.
- Marzen (Oktoberfest) : Our Marzen is an amber colored beer with a complex malty flavor with a spicy dry finish. In Germany this beer is traditionally brewed in March and rolled out for the biggest beer festival of the year, Oktoberfest.
- Awesome IPL : Easy drinking sessionable lager loaded with american and Australian hops for loads of citrus and tropical fruit flavor over smooth, clean and dry lager character. Brewed with awesome hops, awesome barley, awesome water and awesome yeast.....just for you, why? because your awesome man!
- R1 Dry-hopped Saison : Dry-hopped Saison brewed, a beer trend for summer 2015, with malted barley, wheat and rye. The R1 is generously dry-hopped with a proprietary hop called TNT, giving it aromas of intense sweet fruits, red berries and citrus with a touch of caramel and green fruits. The custom Saison is a smooth malt body with bright aromatic hops lifting from the glass with a dry finish and a light amber color. This dry-hopped Saison beer was chosen as it’s a current trend in the beer industry and it’s an approachable, enjoyable beer for the Randolph clientele.
- Cetus : A whirlpool of Galaxy, literally! Cetus, our New England IPA, utilizes an abundance of Galaxy hops with a touch of Mandarina Bavaria to impart a fruity, tropical aroma. Slightly sweet hints of mango and clean undertones of melon round out this intensely hopped brew, which finishes with a pleasant lingering note of tangerine rind. Let this beer transport you to another galaxy!
- Abbey Tripel : Abbey Tripel is part of our new Pub Only Series at Swans , available this week only at Swans Liquor Store. The beer has a full bodied mouthfeel and sweet flavour that is augmented with fruit and a consecrating spicy bitterness. 
- SPF 50/50 India Pale Radler : Our take on the Radler: a light, refreshing blend of Gangway IPA and our house brewed sparkling grapefruit soda. Sweet grapefruit zest mingles perfectly with citrusy hop notes to create this "India Pale Radler."
- Kiwi Weiss : This is the juiciest hefeweizen you'll ever drink. With kiwi juice added to the staple German hefeweizen foundation, we were able to amplify the tropical fruit and banana tones normally found in the classic summer beer.
- Early Morning Tug : A classic example of the sweet stout style. Dark and roasty grains are complimented by unfermentable lactose to create a rich and creamy taste experience. An exceptional mouthfeel draws out flavors of coffee, chocolate and sweet cream.
- Walk Ov Shame : Walk ov Shame is a crushable saison. This exquisite, unfiltered elixir pours vibrant orange with a creamy, ivory head. Moderate fruit qualities are immediately present on the nose, followed by waves of spice, slight funkiness, discrete fruit esters, and earthiness. Fermented with proprietary yeast from a world-renown Wallonian producer, Walk ov Shame finishes dry, medium bodied and crisp, leaving you alone, with only your shameful desire to over indulge.
- Pareidolia : Blonde saison aged for many months in oak barrels. Fermented with Asian Pear Cider from the fruit wizards of North Star Orchards. Lightly funky and tart with notes of apples, pears, and peaches and a thirst enduring dry finish.
- Billy The Mountain : Inspired by the great Prize Old Ale once brewed by Gales in England, this beer is deeply malty and full of ripe fruit, leather, wine and oak flavors. The Billy is partially barrel aged with brettanomyces yeast, lending a distinct twang and developing unique aromas over time. Bottled still and best served at about 55F to be finished at room temperature. Cellar for up to five years.
- Big Fog ESB : A big amber beer with loads of hops and a complex maltiness. Big Fog is difficult to fit into one particular style category. This unique brew is the most popular beer in the Draught House.
- Black Rocks Stout : Black Rocks is a dark rich beauty with pronounced coffee and chocolate flavors. She starts out harmless enough with the use of chocolate, caramel, and black malts and roasted barley. Over 300 lbs of base malt brings this up to a robust 6.7% ABV with west coast hops spicing up the finish and giving it a hop bite to cleanse the sweetness of that chocolate cake your eating. Brewed by my wife, for my wife, and ended up just like her! And that's all I have to say about that.
- Smoketoberfest : A traditional German Oktoberfest with an American twist. Characteristic of the classic Bavarian Oktoberfest, this smooth amber lager features a blend of hearty malts balanced with light hop flavor. The addition of Beech Smoked Barley malt adds a layer of complexity with subtle smoky notes. The perfect complement to fall evenings spent by the fireside.
- WIGstache : WIGstache is a triple dry hopped American IPA with grapefruit zest brewed in celebration of Wrought Iron Grill’s 10th Anniversary. This beer is golden in color with a prominent white head that carries big tropical aromas. WIGstache is medium bodied with a juicy mouthfeel, big grapefruit flavors, and intense hoppiness.
- 7-0 Quad : Our Heaven Hill barrel-aged Quad sat in barrels for 26 months this time. One barrel sat on coconut and then the two barrels were blended together. A dark, complex, very strong Belgian ale with a delicious blend of malt richness, dark fruit flavors, and spicy elements. Complex and rich with notes of whiskey from the barrels.
- Chronomancer : Chardonnay barrel-aged. Belgian Quad loaded with candy sugar, followed by notes of chocolate and stone fruit.
- Kronenbourg 1664 Millésime : Cette bière blonde de dégustation est le fruit du savoir-faire des maîtres brasseurs et du malt de la dernière récolte (malt de printemps). C’est pourquoi chaque Millésime est unique et révèle chaque année des arômes différents.
- Custer's Last Ale : This beer is an English pale ale, full bodied and copper colored. The hop flavor and aroma are strong and assertive. Caramel malt and English yeast produce a nutty and fruity character. Dry-hopping in the conditioning phase completes the package.
- Tractor Pull : This hardy dark ale starts with a heaping addition of rye which is reinforced with organic cinnamon and vanilla bean powder, giving it a creamy, spice-forward nose. Despite its rough-and-tumble name, the beer is balanced by a long boil of specialty malts that create a foundation of sweetness and roast, so that the rye and spices don’t come off as too heavy-handed. Still, save this beer for last, or have your dessert first.
- Standing 8 Stout : Dark and delicious, this malt forward beer is perfect for those who enjoy the darker side. A full-bodied stout with a fabulously roasted character.
- Legato Stout : Legato Stout is blended with 6 different malts. It has hints of layered dark chocolate, mocha, and cocoa bean leaving notes of coffee in the finish.
- The Grind : The Grade is in. It’s built on the backbone of a rich, cold-fermented baltic porter made popular in countries bordering the Baltic Sea. Similar to an imperial porter but distinctly different, the baltic porter style is heralded for being full-bodied, roasty and smooth, with overtones of toffee, coffee, caramel, chocolate and dark fruit. We take it one step further and hammer it home with the bold, sweet flavors of maple syrup and a touch of fenugreek, placing it in a different, experimental class entirely. The Grade is not your average baltic porter, and that’s A-OK in our book.
- Mad Fat! Fluid - Double Dry-Hopped : Aromas of orange, grapefruit and pineapple. Citrus & tropical juice on the palate, soft mouthfeel with moderate bitterness. Brewed with English Optic malt and lots of malted oats and wheat. Fermented with American ale yeast and hopped with Mosaic, Centennial & Equinox. Double dry-hopped with Mosaic Lupulin Powder. Pours hazy pale yellow.
- Local Option La Petite Mort : La Petite Mort is a Belgian inspired Weissenbock brewed as a one off collaboration between The Local Option and Central Waters Brewery in Amherst, Wisconsin. When Central Waters decided to open its brew house for its first collaboration beer, Chicago’s Local Option was the obvious partner in crime. The resulting brainchild, La Petite Mort - a Belgian inspired Weissenbock – maintains the traditional characteristics of its Bavarian forbearer, with the added complexity of Belgian ale yeast. La Petite Mort is dark amber in color; maintains a rich, full-bodied mouth-feel augmented by caramel; mild and dark fruit.
- Bass Ackwards Berryblue Ale : Bass Ackwards Berryblue Ale is brewed during the Maine blueberry harvest. It is an unfiltered, all-natural mild pale ale made with real Maine blueberry juice. It is a refreshing, well balanced beer that has a crisp, fruity aroma and finishes clean and dry. The name Bass Ackwards Berryblue Ale is for its unconventional use of only fresh blueberries in the fermenter. The result is a surprisingly simple drinkability that enables you to drink more than one. Try a Black and Blue, our Bass Ackwards mixed with our rich Lake Trout Stout.
- Standing Wave Pale Ale : This beer was born 20 years ago in Jimbo's backyard. Hop forward, with a malty complexity, it won medals in home brew competitions in the 90's and has risen to international recognition and acclaim.
- Surly / KEX - Enigma Dry Hopped Kettle Sour : The first beer in Surly's 2018 Collaboration Series is a bright kettle sour brewed with Iceland’s KEX Brewing. Expect subtle peach notes and fruity hop aromatics from Enigma dry-hopping.
- Big Rock Kentucky Kicker : Bourbon Barrel Aged Dark Ale with Maple
- Rocket Man Interstellar ESB : Massive explosions of tropical fruit from Galaxy and Apollo hops collide with storms of Maris Otter Floor Malt to create a hop-forward brew with a surprisingly smooth finish. Huge amounts of late addition hops and dry-hopping with Centennial and Galaxy, produce a burst of tropical and citrus aroma and flavour, balanced by Maris Otter and some deep caramels from Cara 60. Its apparent sweetness is contrasted with a firm but mild bitterness.
- Pitcher Perfect IPA : Get a taste of summer with this tropical IPA brewed with the Pink Boots specialty hop blend. Let the passion fruit & kiwi set sail on your palate!
- Black Tie Affair Vanilla Cranberry Stout : Every winter, we retract a little. The air is cold and dry, and the sunshine is hard to find. Don’t dare hibernate though. Dig out your fancy duds and seek your best buds. Black Tie Affair is a sweet and roasty stout, balanced by a touch of cranberry tartness and a hint of rich vanilla. Just what you need to spruce up the dark Winter evenings.
- Autumnal : This deep amber hued ale takes it’s inspiration from Germany while still nodding to the Belgian farmhouse tradition. The base is comprised of German two-row, wheat, Cara-Munich, and roasted barley. Generously hopped with a blend of Perle, Spalt, and Hallertau Mittelfrüh and fermented with a rustic Belgian farmhouse ale yeast. These elements together provide a melange of earth and fruit aromas backed with hints of caramel with a dry clean finish.
- Citrus Redacted : This beer combines three of our favorite things: juicy fresh-squeezed hops, zesty and bright citrus fruits, and a name that doesn’t make any sense unless you know the story behind it. Enjoy!
- Monsters' Park - Bourbon Barrel-Aged With Coffee : Big, thunderous notes of coffee, oak, & bourbon that add a crazy dimension to this sledgehammer of sabor. All of this combined with the massive roastiness of Monsters' Park, to create a wildly complex and delicious beer.
- Éphémère (Cherry) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Saison Rakau : New Zealand isn’t just famous for its Maori culture, rugby team, and a cute little flightless bird. To beer lovers – it’s revered for its unique hop varieties. This beer is a marriage between the fruitiness of the New Zealand hops, and the floral character of the saison yeast strain.
- India Pale Ale : A true hop lovers beer. A classic NorthWest American IPA, this big boy packs a punch. The 55 IBU’s are kept in check with Munich and Caramel malt character and the blend of Cascade and Simcoe hops deliver a combination of grapefruit, citrus, pine and passionfruit to rock the taste buds. Dry Hopping with even more Simcoe really drives the aroma home for this IPA.
- Scratch Beer 197 - 2015 (Belgian-style Brown Ale) : Aside from our recent experimentation with the Gose style (a tart wheat ale), we haven’t really dabbled with sour beers as part of our Scratch Beer Series. We’ll, that’s about to change with the release of Scratch #197, a sour Belgian-style Dubbel brewed with fresh blackberries. The addition of blackberries adds another dimension to the flavor of this ale by peppering hints of rose, cedar, mint, and mild clove with the dominant toffee and stone fruit flavors of the base beer. Dark Belgian Candi and Demerara sugars (the latter, an unrefined, large-grain golden sugar) bolsters the ale’s sweetness. Throwing caution to the wind, we decided to introduce lactobacillus into the fold. This process produces lactic acid, which imparts a subtle mustiness and soft, pleasant tartness (think Sour Patch Kids candy). It’s time to get your “bramble” on!
- New Money IPA : Vermont-Style IPA. Heavy protein content + huge late addition hops give this beer it’s juicy qualities. We also added a touch of Mango to give it a little extra fruit flavor.
- Earth Rider North Tower Coffee Stout : A marriage of Earth Rider North Tower Stout and Duluth Coffee Company cold press coffee. Accents of coffee, chocolate, vanilla, and dark fruit/raspberry perfectly balanced with a restrained hop presence. Rich flavors pleasantly linger after each sip.
- Accumulation : This winter, IBUs start accumulating like snow in Colorado with our new Accumulation White IPA. Brewing a white IPA was not only a way to salute the white beauty falling from the sky, but a direct revolt to the longstanding tradition of brewing dark beers for winter. At least that’s what our rebellious brewer Grady Hull likes to claim as he shovels in plenty of new hop varietals and a bit of wheat for a smooth mouthfeel. Stack up a few cases of Accumulation White IPA to keep your long nights glowing blizzard white.
- Element Of Progress : Brewed with 2-row, malted white wheat, and flaked wheat, this hazy Northeast-style IPA is heavily hopped with Azacca, Amarillo, Motueka, and Citra for a slightly bitter and enticingly sweet finish. The Element of Progress has a soft, pillowy mouthfeel and is bursting with notes of fresh tropical fruit and citrus zest alongside a hint of fresh herbs.
- Cherry Chouffe : The gnomes love Achouffe beers. But they also appreciate the juicy cherries that grow in their land of fairies. This year, the CHOUFFE gnomes gathered the cherries and stored them in the brewery loft. The old ceiling collapsed under the weight of the fruit. The cherries fell into a vat of Mc CHOUFFE that was being prepared. The mischievous gnomes said nothing about it. Surprised to discover a glowing red beer with a fruity taste, the Master Brewer finally decided to transfer it to barrels.
- Daily Dose IPA : Brewed with 2-row and rolled oats to deliver a pale-golden, hazy body and a creamy mouthfeel that showcases a juicy hop profile. A heavy dose of late addition Galaxy, Citra and Mosaic hops shine through the super smooth malt base. A spicy, dank punch of Mosaic hops is balanced by the big tropical fruit and citrus notes of Galaxy and Citra hops.
- Dunkel Lager : This is a dark lager, the most popular term used to order the dark beer on tap at your local German brauhaus. It has a distinctive malty flavor and low bitterness. This was Christine’s favorite type of beer traveling Germany, she was regularly seen enjoying its sweet malty goodness.
- Bottle Logic / Urban Roots - Pallet Treasure : Brewed with peanut butter, honey and dark chocolate.
- Authentic SLO Wild Ale : Our first in a series of blends utilizing our favorite barrels from the cellar that showcase our regions natural terrior. These 18 barrels were carefully selected from over 400 barrels over a multiday blending session. Funky and bright with notes of citrus and stone fruit, these flavors give way to hints of coconut and oak. This blend still holds a great amount of mouthfeel but finishes very dry and tart begging for another sip. We recommend grabbing a few of each batch to be able to compare vintages as they age. Look for these blends to come out 3-4 times a year.
- Holiday Ale 2005 : This beer started with a strong wheat beer that was fermented with a special blend of Belgian yeasts. These yeasts added spicy and fruity overtones which Free State matched with some grains of paradise for a peppery background and very modest amounts of orange peel and corriander for a light citrus edge. This beer was served unfiltered and highly carbonated after the fashion of traditional Belgian farmhouse ales.
- Dauntless : This IPA is a medium bodied, mildly bitter ale with a forwardly intense floral and fruity hop aroma balanced with a blend of European and American malts that lend a smooth finish leaving you wanting the next drink.
- Zesty Jams : NE style DIPA DDH w/ Citra+Mosaic and conditioned on Grapefruit+Orange zest. This is another entry into the Jams series. We took our Base recipe, upped the dry hop and conditioned it on loads of Grapefruit+Orange zest before packaging. Huge notes of freshly squeezed Orange Juice follow with a soft but bright mouthfeel and finish.
- Pilsner : This classic American Pilsner is a little bit darker than you’re used to. Don’t be fooled though,this still has a light, crisp Pilsner taste.
- Winter Wheat : This is a darker, stronger version of our summer hefeweizen. It’s served unfiltered with all the same flavors – plus a malty caramel sweetness and a little extra kick.
- Rye Bretta : A farmhouse-style saison bottle conditioned with Brettanomyces bruxellensis. Featuring a bouquet of Cascadia region hops with hints of funky pineapple and citrus fruits balanced with Rye and Pilsner malts. Bottle conditioning provides a very distinctive effervescence with a clean, dry finish.
- Madagascar Port Double Barrel : Madagascar Port Double Barrel is a new take on our Madagascar Imperial Milk Stout. After resting in Bourbon barrels, this Madagascar was transferred into freshly-dumped Portuguese Ruby Port barrels and aged with Madagascar vanilla beans. Strong notes of vanilla dominate the aroma, backed up with a complex blend of port wine, oak, Bourbon and chocolate
- Straight Up Saison : Brewed with barley, oats and wheat, this hazy yellow offering’s silky texture is offset by its high level of carbonation. More spice complexity and malt sweetness refresh the tongue as the wheat and yeast work together to finish dry and slightly sour.
- The Effect : The crew at BVB wanted to brew something dark for our first special release. We also wanted to brew something hoppy. It is spring, but still cold outside, so we took our favorite things about The Cause IPA, and then added more hops and a lot of darkness. The result is The Effect Black IPA! There are four types of “C” hops including Columbus, Chinook, Centennial, and Cascade plus a specialty malt from Breis called Blackprinz that makes this IPA deliciously hoppy and decidedly black. The hop profile is nicely balanced by the malt body and the subtle roasted notes that are evident in the finish. The Effect is Jet Black, 105 IBU, and 7 % ABV. We hope you will enjoy it as much as we do!
- Black And Tangerine : Tart and fruity mixed culture ale aged in oak barrels with blackberries, pluots, and tangerines.
- Coalescence : Welcoming the spring in the valley, we joined forces with two neighboring family farms from just across the river. With organic dark northern rye from Camas Country Mill and organic oats from Lonesome Whistle Farm we created an earthy spring saison with our own farm's Willamette hops and a classic yeast from the Schelde river valley in Belgium. Fruity and spicy aromas tingle your nose, preparing the palate for equally bright flavors. Light in color and silky on the tongue, this frothy saison is perfect for those sunny spring days sniffing the freshly blooming flowers. This saison begins the process of coalescence between our farm and other local farms in pursuit of growing local beer and bringing community together.
- Purgatory : Named Purgatory because during the pilot run it got stuck between the kettle and fermentor. Assumed doomed we aggressively dry hopped this IPA. Resulting in bursting notes of citrus fruits, soft pine and soft bitterness.
- Jersey Juice India Pale Ale : Packed with newly developed cryogenic hops that are twice as intense in flavor and aroma over regular hops. The result is a huge citrus, mango and tropical fruit hop party in a complex, unfiltered beer.
- Dragon's Milk Reserve Raspberry Lemon : Michigan raspberries bring depth to Dragon's Milk and frame its chocolate tones beautifully while contrasting its dark, roast character. Lemon zest excites the fruit flavor, brightening the entire experience.
- Barrel Aged The Murderous : 1st batch release (12oz) - We took our Murderous English Style Barley Wine and aged it for eight months in Elijah Craig 12 Year Old Barrels. The resulting nectar was a delightfully sweet and sticky beer with deep, rich notes of coconut, vanilla, oak, dates, dark fruit, bourbon, caramel and a hint of rye spiciness. Delicious now but this one is definitely a candidate for hibernation in your temperature controlled resting place.
- Odell DeConstruction Golden Ale : A Golden Ale created by blending the final recipe with its own barrel aged pilot beers fermented with wild yeasts. Each individual barrel contributes a unique flavor from the wood chosen and the cultures resident to achieve subtle complexities that develop(ed) over time. A beer which starts sweet, filling the mouth with fruit-like esters and a mild spiciness, changing to a tart and lingering flavor reminiscent of grapefruit living amidst an earthy, citrusy hop aroma. Define flavor for yourself in this constantly evolving liquid expression.
- Pieces Of 8 : This high octane Belgian-style ale is brewed with the addition of light brown sugar to add further complexity to the malt and yeast profiles. You will find characters of candied sugar, clove, wildflower honey, fruit esters, and black pepper with a subtle presence of brown sugar sweetness. Minimal bitterness, warming alcohol heat, and a semi-dry mouth feel round out the finish.
- Side Trip : Sometimes it’s a side trip that makes the journey. During our last anniversary retreat to Belgium, brewmaster Peter Bouckaert embarked on a sensory excursion to find the perfect yeast strain for his next creation: Side Trip Belgian Pale Ale. A beer from Brouwerij Van Den Bossche led Bouckaert to the brewery’s family Buffalo yeast strain, which they happily shared, and the foundation was set. Additions of Belgian Chateau Abbey and Cara Ruby malts from Castle Malting, the oldest malting plant in Belgium, as well as Belgian Magnum, Saphir and Target hops builds a bready, caramel-sweet wash with traces of stone fruits, and a balanced herbal bitterness for a pleasantly dry finish. Take a break from your journey with a Side Trip.
- Sporadic #1 (Bourbon) : This is a saison using spelt, oat, wheat, vienna and munich malt. A little bit darker in color, almost orange, with a firm acid profile.
- Sally Brown : Top fermented beer, a mix between Oatmeal Stouts and English Porters. Its character is defined by the 11 different types of malt aromas being used. Dark ebony, the nose is marked by roasted aromas recalling barley coffee, cacao beans and ash with a scent of caramel. It has a malty palate with creamy oats and hints of smoked flavor.
- The Charming Grave : Dark barleywine-style ale aged in XO Cognac barrels for 14 months.
- Tainted Love : Collaboration with Birrificio Toccalmatto. Dark saison dry hopped with Rakau, Marinka and Cascade.
- Into The Black : Step out and let the smell of fruity hops pull you into the darkness that is this Black IIPA. One sip is all it takes to confirm the citrusy hops, but there is much, much more to this infinitely complex beer. Its rich, creamy body incases you with the tastes of dark, roasted grains and a hint of chocolate before a pleasantly dry finish. Brace yourself: you are about to step Into the Black.
- Tripel : Part of our Midge Series, we use the traditional interpretation of the Belgian Tripel made with Pilsen malt, a touch of Belgian specialty grains, sugar, Goldings hops, and a Belgian yeast. Light sweetness to the finish with a balanced hop character. Complex fruity and spicy notes from the Belgian yeast. 9.1% ABV 25 IBU
- Bohemian Pilsner : This Lager style was made famous in the Czech Republic. Light golden in color, bright and a good hop aroma. Crisp, complex, and well rounded yet refreshing, with a prominent spiciness and bitterness from the Czech Saaz hops.
- Triple Shot : 2014 saw the creation and evolution of one of our proudest accomplishments here at Tree House: Double Shot. Over the year we often wondered how far we could push the coffee and still maintain a balanced and delightful beer. In the spirit of maintaining the integrity and refinement of the original Double Shot, we created a new base beer to withstand precisely double the coffee addition Double Shot receives to satisfy our curiosity. The result is something quite surprising and completely original! More milk chocolate than coffee, and more brown sugar than molasses, Triple Shot conveys a super unique flavor profile that explodes with complexity as it warms. The crew here tastes “straight chocolate syrup”, ”chocolate covered raspberries”, “sweet espresso”, and “chocolate Charleston Chew (seriously)”. A truly rich treat that begs to be shared - we’re psyched to shared it with YOU!
- Formation : Formation is the culmination of years of effort in the brewing and blending of barrel aged beers. Produced with a mother culture that has been with us in various forms for around ten years now, this tart, vinious, characterful beer is the effort that brought Form into existence. This beer is made using a Solera method similar to what is used in making Sherry, but with an intent to make something closer to what you might find around the Senne river in Belgium. This beer is the youngest of our blends being blended from four barrels of around 1 year old. The result is a beer with a striking aroma of minerals and must, and a deep full flavor that is fruity, quenching, and expressive. This is one to aged for years and share with friends and family.
- Kahyyyk : We don’t take the Sasquatch tribute beer fest lightly! That’s why we created this one of a kind strong ale to honor the memories of all those who have paved the way in the brewing industry. This year’s vintage honors the culture with which Glen brewed, a yeast pitch from a friend! We asked some friends who knew Glen’s brew practices, and tracked down his old brewing buddy for the same yeast pitch that he used for the original Sasquatch Strong Ale. We invited some close friends of Glen to also spend a day at the farm brewing up this batch and contributing to the recipe. Lots of black malt contributes coffee-like bitterness, while loads of pale malt and yeast esters round out the palate. Nugget, Cascade, and Chinook hops attack the malt bill, but the result is a complex balance; nothing takes over amidst the big flavors, malty, chocolatey, and fruity with subtle pine notes and a lingering finish of hop bitterness. HAAAAYYY!!!
- Kuhnhenn Everlong Saison : This French Farmhouse Ale, with it’s distinctive pale orange color, has medium bitterness. With light fruit characters, it also exhibits a spicy black pepper flavor. It is quite drinkable.
- Rise Up Coffee Stout : A caribbean style stout, infused with coffee. Ours is rich and dark with a toasted brown head, well balanced, roasty and full flavored. Cold steeping ...Read Morewith organic coffee from local shop Rise Up Coffee imparts a generous but balanced coffee nose and flavor
- Dunkel Lager : Dunkel is a German lager that ranges from light brown to dark brown with a malty flavor and aroma that predominates over a moderate hop bitterness. Our version is dark and uses 5 specialty malts to achieve its color and malt flavors. German Tettnang hops were used for bittering, complementing an authentic German yeast strain used for fermentation.
- Barrel Aged Habanero Karma Citracide DIIPA : A tropical fruit and citrus blend of Columbus, Chinook and Citra hops. Brewed with organic coconut palm sugar and specialty malts, then barrel aged in Jim Beam barrels for 60 days and then infused with Habanero honey. Deep, dusty citrus and caramel aromas with hints of bourbon present in the nose. The barrel aging and rich caramel malts have mellowed the huge hop bill and softened this near barleywine with hints of vanilla and pepper spice that dance on the palate. The finish is rich with a dark citrusy rind note and a slight cloying vanilla honey note that lead to a pleasant warming pepper spice finish.
- Rock Forest : This under darkian smoked lager is as bright as the magnificent glowing boulders in the stone forest. Brewed with water from the cenote. It will refresh the needing adventurers.
- Brünicorn #5 : Brünicorn V is an American Wild Ale brewed with apricot and passionfruit. Brewed in April 2016 and aged in white wine barrels with our proprietary mixed culture for 2 years, this 6.6% ABV ale features complex notes of apricot, dank tropical fruity funk and vanilla alongside a late puckering acidity. A deep golden haze highlights the appearance of this mixed fermentation sour.
- The Punk With The Stutter : Who doesn’t like double dry-hopping? Especially when you’re using a newfangled hop variety known for a pure and easy combination of rich stone fruit and dank? It’s 5:15 somewhere.
- Oktoberfest : A German style amber lager also known as Marzen. Deep orange in color with a medium body. Smooth, clean, and rather rich with a depth of malt character, slightly toasty. Brewed with 2-Row malt, Pilsner malt, Vienna malt, and Dark Munich malt. Hopped with Tettnang and Hallertau hops and German Lager yeast.
- Instigator : Doppelbocks were the orignal liquid bread, intended to sustain monks through their fasts of advent and lent. The Instigator has a complex character with toasted flavours, rich aromas, a deep hue and a full body. This time when you open your big mouth, you'll be able to finish what you started!
- IPA : This full bodied, dark golden ale is brewed with a larger proportion of hops and malt to give it a rich, malty taste and clean, bitter finish. Traditionally brewed to handle the long trip from England to India by sail and then steam, this beer is certain to please those looking for something a bit “bigger.”
- Hoppyum IPA : The recipe is simple. Take some hoppy. Add some yum. Nutty malts lend a surprisingly sweet base to copious additions of tangerine-y Simcoe™ hops. Great aroma, superior taste, clean dry finish. One sip will show you why this is our most popular beer . . . followed closely by a strong desire to take another sip.
- Dark Mild : A dark brown, malt focused session beer with toasty, nutty, caramel, roast and chocolate flavors. A traditional British ESB yeast was used for the fermentation to produce complimentary light stone fruit flavors and aromas.
- Sagittarius B2N : Saison brewed with grapefruit, lemon and hibiscus. This collaboration began when Ecliptic purchased Dogfish Head’s former brewhouse and it is named after a “massive ethanol cloud” in the Milky Way Galaxy.
- Bière Brune : This Belgian-style Brown Ale has a nice malty aroma and flavor that dominates over the moderate hop bitterness. A roasted, chocolate-like and biscuit-like aroma is derived from dark malts. Noble-type hop flavor and aroma, fruity esters and phenolic spiciness & slight tartness/acidity from the Belgian yeast are perceptible.
- Old World Ghost Ride : Old World Ghost Ride is our Kolsch dry hopped with Hallertau Blanc, a new German varietal which provides floral and fruity aromatics. It's one of the few new-school hops from the old world.
- Ella : Single hop pale ale. Ella hops are a half-sister to Galaxy hops showing grapefruit, candied tropical fruit and slight spice paired with a light grain bill of pale and vienna malts and flaked oats.
- Dockside Dark : A cross between a porter and a stout, Dockside Dark features a depth of malt flavour with complex roasted notes of black coffee and smooth dark chocolate.
- Walt Wit : The American poet, Walt Whitman, once portrayed a sunset over Philadelphia as “…a broad tumble of clouds, with much golden haze and profusion of beaming shaft and dazzle”. Pour yourself a bottle of Walt Wit Belgian-Style White Ale and see what he was talking about. A pinch of spice and a whisper of citrus lend complexity to this fragrant and satisfying ale.
- HTP : H2P is a revamped iteration of the HTP IPA we have done in the past. For H2P this year I changed the recipe from the two previous batches, along with the hops and hop schedule. The past two batches featured Zythos and 7 C's opposite Simcoe. This year and in the future, it will be a single-hop Simcoe IPA. Since it's technically a different beer, but the soul of it is still the same, we are going to call this H2P going forward. As a former Pitt student, I know the Pitt faithful use HTP and H2P interchangeably, so it seemed fitting to change the "T" to a "2" for version 2.0. Inspired by the IPAs I fell in love with in California and deepened my college experience in South Oakland, H2P is a 8.0% west coast-style IPA brewed with four kinds of malted barley and a ridiculous amount of Simcoe hops with five kettle additions and two dry hops. The nose of the beer is rich in pine and fruit notes, with hints passion fruit, apricot, along with woodsy and floral undertones. Medium bodied, this beer starts with a mildly bitter taste that gives way to the pine and fruit notes found in the nose on the back end. H2P is a bright and crisp IPA that was designed to be highly drinkable, exceedingly flavorful and aromatic, but without being abrasively bitter. As production allows, we hope to continue to provide this beer to the Pittsburgh market and the Pitt faithful each year for Pittsburgh Craft Beer Week.
- North York English Ale : A complex malt, biscuit, and raisin body with floral hops.
- Bracero : Bracero, is an American hoppy saison. Brewed with pilsner, rye, and Munich malts, and flaked wheat. It is initially fermented with a mix of Saccharomyces and Brettanomyces, and then oak aged in neutral red wine barrels prior to being modestly dry hopped with Nelson, Equinox, and Simcoe before packaging. Bracero, or laborer, is a nod to the many hard workers in the agricultural industry which is the heart of Ventura County. This beer is dry and refreshing with flavors of over-ripe tropical fruits from the Brettanomyces as well as flavor and aroma contributions of the hops. A beer to enjoy after a hard day’s work, as it was for the saisonniers of France and Belgium not long ago.
- Scratch Beer 135 -2014 (Rye Ale) : Until the 15th Century, it was common in Germany to use rye malt for brewing beer. However, after a period of poor harvests, it was decided that rye would only be used for baking bread. (Reinheitsgebot, anyone?) Rye beers virtually disappeared for almost five hundred years until finally resurfacing in Bavaria around 1988. Rye is now a commonly used ingredient in modern American craft brewing. The addition of rye imparts a somewhat grainy flavor similar to pumpernickel bread, although the rye presence here is quite subtle given the low percentage of malt used in the mash. The complexity here lies within the hop profile, which runs the gamut of piney and peppery to floral and fruity. The rye adds a slight spicy, dry finish to this otherwise hop-forward ale.
- 7 To 5 : 7 to 5 is a sister beer to Nebraska with the 7 to 5 name referencing working man hours (similar to the Nebraska reference, farmhands, and long hours). This Belgian-style pale ale was aged 5 month with multiple strains of Brettanomyces. This aging transforms an already complex, dry beer into a fermentation driven pale ale with huge earthy and tropical fruit aromas. Earthy brett, tropical guava, and pronounced spice lead into firm bitterness and citrus pith in the finish.
- Wailua Wheat : Swimming in a fresh water pool at the base of a cascading waterfall is what we all imagine we would find in paradise. On Maui, follow the old Hana Highway and you will find such a place – Wailua Falls. This plunging cascade of clear water is the inspiration for our Limited Release Wailua Wheat Ale. This golden, sun colored ale has a bright, citrus flavor that comes from the tropical passion fruit we brew into each batch. Sit back, relax and enjoy paradise anytime.
- Beerlao Dark : Beerlao Dark is an award winning beer brewed with the finest ingredients and roasted malt. A full-bodied tasted experience with a golden brown color.
- Wind & Sail Dark Ale : Rich and robust, this moderately hopped ale balances dark and chocolate malt flavours with an earthy finish. Brewed in Prince Edward County, using only malted barley, hops, yeast and water.
- Hey Diddle Diddle : What else would you call a Double India Dunkel Lager? Brewed with copious amounts of Cascade, Palisades, Warrior and Cluster hops in the kettle, hop back, and as multiple dry hop additions. Dark amber to brown in color, Munich and caramel malts balance the hefty hop additions. A touch of sweetness combined with a long lagering time smooth out this strong beer. One sip will have you jumping over the moon.
- Citra Dry Hopped Sunshower : Sunshower is our Super Saison, a high-gravity farmhouse ale inspired by the ethereal refreshing mid-summer moments when we experience both rainfall and the heat of the sun in New England. Similar to our flagship Trillium, the mouthfeel is light and effervescent with a bright, golden hue. We allow the fermentation temperature to free-rise, resulting in a dry beer with strength and complexity. Layers of pepper and earthy characteristics that play nice with the crisp, smooth backbone of a pilsner and wheat malt bill.
- Beaver Overbite Imperial IPA : Our Imperial India Pale Ale. A showcase for hops, we use over 3 pounds of hops per barrel. This bold, juicy IPA is double dry hopped, to deliver citrus and tropical fruit flavors while still remaining highly drinkable.
- Tabletop Supernova : A golden, honey malt profile blasted by a ton of hops. Flavors of stone fruit, Meyer lemon, and spruce punch through the classic northwest c-hop character. The perfect balance of harmony and discord.
- Bash At The Beach : A tart, refreshing kettle sour infused with 40kg of blueberry puree. To take it to the next level, we also added 3kg of fruity, delicious Kenyan coffee from local roasting experts Neighborhood Coffee (wonderfully named "A Grind of Magic", check out their fantastic coffee puns here). Blueberries? Coffee? All you need are the pancakes!
- Alaskan Raspberry Wheat (Pilot Series) : With nearly one pound of real fruit per gallon, Alaskan Raspberry Wheat has the inviting aroma of fresh-picked raspberries and an enticing red hue. The flavor of the raspberries lends a tartness that balances the full-bodied wheat profile and malt sweetness. Bigger than most traditional fruit beers, Alaskan Raspberry Wheat adds an extra kick to its dry and effervescent finish.
- Rowing Needles : We took this tart, delightfully crisp Berliner Weisse to a whole new echelon of refreshment with the addition of blackberries and raspberries. The sour, light-bodied profile and bright, fruity characteristics come together in a gloriously tasty combo that triumphs over even the angriest of summer weather.
- The Golden Ape : Love, patience, and time are the key to this fruity, crisp, dry spring offering. A secondary fermentation of Brettanomyces Clausenii and apricot create the ultimate expression of Funk & Flavor.
- Hopsmack : This striking Citra hop IPA brings complex tropical and citrus aromas and a thirst-quenching flavor to the palate. With great head retention and clarity this well balanced yet aggressive India Pale Ale makes this a great choice for the “hop lover” in all of us! Cheers!
- No Place Like Home : No Place Like Home is our barrel aged version of Home and our first anniversary beer. NPLH is a double red we aged in Cabernet wine barrels for 6 months. NPLH pours a dark amber with mahogany highlights - aromas of stone fruit and oak dominate this rich and beautiful beer. Enjoy now or cellar.
- Guiding Light IPA : This brew is deeply symbolic here at the 49th. Our brewer, Vince, brewed this IPA with Galaxy and Polaris hops; Polaris hops that he had been eyeing in our hop storage as it shares it’s name with his beloved childhood Husky. The North Star, as Polaris is commonly called, is featured on our great state’s flag: North to the Future! And onward to a fruity, herbal, even slightly minty and creamy IPA.
- Stanley Stout : Don't let the name fool you! Stouts are often mistaken as dark, heavy beers with high ABVs, but many such as Stanley Stout are highly drinkable. This Milk Stout is a full-bodied beer with a creamy sweetness that counters the roasted character. This is a rich and complex beer that is quite satisfying.
- Hurricane IPA : A tropical storm originating in the North Atlantic Ocean, it rotates in the opposite direction to a Cyclone. This IPA only uses punchy American hops: Simco, Citra and Mosaic giving a fruit, lemon and pine taste bomb. Get it now while it’s Hurricane season – this Category Five brew will do more than tickle the taste buds.
- The Quadfather - Bourbon Barrel Aged : This special batch of our Belgian Quadruple was aged in a menagerie of four different bourbon barrels for 20 months and blended together to perfection. Blending Old Forester, Heaven Hill, Woodford Reserve, and Buffalo Trace barrels together yielded an incredibly complex, layered beer rich in Belgian esters, oak, leather, dark fruits and bourbon.
- Organic Apricot Ale : Handcrafted in Melbourne Bros' tiny brewery set in a time warp in Stamford using the old manually operated brewing equipment. Finest organically grown barley and wheat are used to create a complex ale which, having undergone primary and secondary fermentation with different yeasts and extended maturation, is taken to Samuel Smith's small, independent British brewery at Tadcaster. There it is blended with pure organic apricot fruit juice and a previously cellared organic brew -- creating an unparalleled fruit ale. The smooth distinctive character of the matured ale serves as the perfect counterpoint to the pure organic fruit juice.
- Erik : Barleywine aged in a Koval Distillery Dark Rye barrel.
- Wallonia Wit : Wallonia is home to the French-speaking Belgians that immigrated to the US throughout the 1800s, many of which settled throughout New York. The Wallonia Wit boasts complex and unique flavors from the various types of wheat and barley that make up its grain bill in addition to the traditionally added orange peel, coriander, and other spices.
- Nagami Equinox : Nagami Equinox, a semi-dry Belgian golden ale brewed with honey, Mandarina Bavaria hops and 100 pounds of kumquats, pureed and added to the boil is just as refreshing as we hope'd it'd be. Brewed in collaboration with Trenchermen restaurant as part of our City Wide Collab series, we're picking up aromas of white flowers, tropical fruit, a subtle spice, and of course kumquats.
- Baldr : Brewed to honor the coming Solstice, this dark amber ale is infused with Caraway seeds to compliment the roasted and bready notes imparted by Rye, Wheat, and Debittered Black Malt. A perfect beer to sip by a roaring fire during the darkest days of the year.
- Fireside Chat : Like FDR’s Depression-era radio addresses, which were like a kick in the butt and a hug at the same time, our Fireside Chat is a subtle twist on the traditional seasonal brew. We begin with a rich, dark, English-style ale and then we improvise with spices until we know we have a beer worth sharing with the nation.
- Trade Deadline : Baseball themed Double IPA, all fruit juice all day.
- Rompin' Weasel : This American-style India pale ale is brewed with a moderate amount of malted rye for a spicy character that blends deliciously with the generous additions of fruity Centennial hops.
- Soothsayer : The Soothsayer sees in the shadows a glass of black vision, indeed. A dark future that’s all in the making. Tempting good folks to share in the deed. What he sees is the old way of brewing with no spices, no voodoo, no spells. Just the grains and the yeast and the ancient black art. Can’t you feel how it darkly compels?
- Da Mystery of Chinook : Hops are like a game of chess. We move our pieces by continually refining, experimenting, and looking for ways to improve our concentrations of hop deliciousness in the glass. While examining specific terpene concentrations that we thought would go well with our evolving hop process, we noticed Chinook had a specific desirable profile so we sought out to explore the mystery of Chinook. It pours a hazy tangerine color, releasing bright tropical notes of grapefruit, pine, earthy citrus, and candied mango. The flavor profile mimics the aroma with a soft mouthfeel and a dry finish that leaves the palate ready for the next sip.
- Knuckle Van Dammewich : Bryce Lowrance's "Knuckle Van Dammewich" is the winner of our 2015 Wort Challenge, where homebrewers were given the chance to make an original brew using our Knuckle Sandwich wort. This ultra-malty Belgian Dark Strong Ale has notes of caramel, toffee, coriander, and orange peel, and packs a powerful punch in the spirit of its namesake.
- Cryin' Over My Mojito : A refreshing tart and fruity wheat ale with a salt character.
- Tenaya Creek Tandem Double IPA : Tandem DIPA (Double India Pale Ale) Are you riding Tandem? Look down. Are your feet on the pedals? Yes? Is there someone else in front of you? No? Is there someone behind you? Yes? CONGRATULATIONS! You are riding tandem. Now put this ale to your lips and savor the citrus and grapefruit draw that the hops give it. Then love it.
- Karma Chameleon : Fruited sour blonde ale with raspberries, vanilla, lactobacillus, brettanomyces.
- Bourbon Barrel-Aged Coconut Stout : Packed with robust coconut and dark chocolate notes, this full-bodied Stout boasts vanilla and oak character from Bourbon barrels. The brew’s molasses-like sweetness and roasted coffee undertones are enhanced by the addition of toasted coconut and brown sugar.
- Old Stock Cellar Reserve (Aged In Wheat Whiskey Barrels) : Old Stock Cellar Reserve is a small batch, limited release that has been aged in wheat whiskey barres. The aging process gives this world-class beer an added layer of complexity. A memorable drink that should be enjoyed as a completely unique offering.
- Michelob Ultra Dragon Fruit Peach : Michelob ULTRA Dragon Fruit Peach has a slightly sweet combination of exotic island fruit and hints of tree-ripened peaches.
- Adaira : Wild Ale aged in oak barrels which initially housed craft bourbon and rye, followed by Vermont maple syrup. Deep red in color with sherry on the nose. Flavors of tart strawberry and kiwi zest settle into notes of soft earth and young whiskey. Complex yet approachable. Soft, delicate, wild.
- Barn Owl Blend No. 7 : No. 7 is the third of three fruit blends made from a Flemish red base that was aged for 2-3 years in oak barrels. It underwent a secondary fermentation with 300g per liter of raspberries. As a result, it is bursting with enormous jam and raspberry seed aromas. This sour ale is dry and puckering with lingering fruit tannins.
- English Old Ale : Our new Specialty #3 is the English Old Ale. This style of beer is a Strong/Old ale. It originated in England in days of old. It is intended to be a very big, malty, and hoppy ale. Notice the aroma of the beer. It has a complex and fruity nose with noticeable maltiness. As you sip this beer, you will immediately pick up the malty body. As the beer flavors develop in your mouth, you will become aware of the full hop flavor and a pleasant warming effect. The warming effect comes from the high alcohol content. When the beer finishes, you will get a hop bitterness which is nearly overpowered by the big maltiness. I hope you enjoy.
- Windermere Pale : A very pale ale bursting with hop flavour and a fruity aroma. It is brewed with soft Lakeland water, English Maris Otter malted barley and whole cone hops. Tropical fruit flavours cone from the signature hop - Citra.
- Mandrill : Mandrill is our nod to the forefathers of the IPA style. The light fruit notes from the malt and dry hops conjure memories of classic English IPA’s while the resinous bitter notes and deep citrus aromas remind us of the Pacific Northwest. This beer is hop driven, but not solely a hop delivery vehicle. It is deceptively easy to drink at 7.3%, a So Cal twist we did not want to sacrifice.
- Faust : Aggressively sour red, notes of caramel and dark fruit.
- Halifax Bomber : Halifax Bomber is a dark Amber, malty bitter with initial fruitiness through which the hoppy character predominates.
- 16th & F Saison : The latest addition to our 16th & F series is a Farmhouse/Saison style ale brewed in a radical fashion. It is a simple recipe that only includes Pilsner Malt and Hallertau Hops. The complexity of the beer comes from the yeast and fermentation process. Fermented at 95+ degrees, the yeast went ballistic in on the sugars. Dryness from the yeast attenuation is accented by a high carbonation level, adding to the refreshing properties. The aroma includes the classic white pepper and wine notes we enjoy so much in classic saisons, such as DuPont.
- The Dark Knight : Southern Germany dark wheat beer with deliciously complex malt and a low balancing bitterness.
- Chocolate Milk Stout : Don't fear the dark! Pouring a deep black color with a rich tan head, this stout rocks generous additions of lactose sugar. Its silky smooth body has a bit of sweetness to balance out the dark roasted coffee and chocolate flavors. It is conditioned on raw cocoa nibs too, adding a wonderful chocolate aroma.
- Warren Peace : A delicate German ale with soft fruit and wine like aromas and a crisp finish.
- Sahati : SAHATI is our interpretation of traditional Finnish sahti. Starting with a 200-year old Engelmann spruce tree felled on brewery property, we created our own kuurna (an ancient Scandinavian lauter tun) to separate the wort from the grain during brewing. The bottom of the kuurna is layered with spruce branches; the needles act as a natural filter and impart resinous oils into the wort. The hollowed-out trunk of the tree also contributes spruce essence and structure from the raw wood. The beer is made of barley & rye malts along with a sparing addition of Goschie Farms Cascade hops and is brewed just a few times per year.
 SAHATI is in many ways the very definition of The Ale Apothecary, where complex flavors arrive from the very methods used for production…the result is the process impacts the flavor profile at least as much as the ingredients themselves.
- Bock That Ass Up : German style Doppelbock made with pilsner, Abbey, Munich, Smoked, and Carafa malts resulting in a complex malt character. A rich malty lager with dominant bready malt character.
- Squirrel's Nut Brown Ale : Never had more fun gathering nuts! This smooth Ale has an even display of hop bitterness and bold malt flavor, with a hint of nutty flavor from the dark malt, to produce a superior brown ale taste
- The Spice Principle : Spiced Weissbier Spicy, complex, lively. The Spice Principle puts to use a bounty of 12 organic spices to intensify the lively flavour profile in this “spice weiss” – an imaginative take on the German-style weissbier.
- Kiwi Rising - Double IPL : This is an intensely hoppy and strong lager that we refer to as a Double India Pale Lager. Over four pounds of hops per BBL of New Zealand hops (Kiwi Hops) were used in progressively larger hop additions throughout the brewing process. Four kettle hop additions, whole leaf hops in the hop back, and multiple dry hop additions infuse an intense floral and citrusy aroma. No kiwifruit or kiwi birds were used in the production of this beer.
- Citra + Azacca : Citra + Azacca Imperial IPA (8.5%) is another in our dual hop series. Brewed with hand selected Citra with a ton of lychee character and hand selected Azacca that is the best we have ever smelled, packed with papaya, mango, melon, citrus and even more tropical fruit character.
- Hutwe : We produced a Saison using the Hutwe coffee variety, sourced directly from a small Congolese community washing station in the Virunga National Park. The bright citrus-zest fruitiness of both the coffee and the beer compliment each other, with the Saison’s dryness accentuating the coffee variety’s subtle stone-fruit acidity.
- I Will Not Be Afraid - Mocha : For this addition of I Will Not Be Afraid, we added additional amounts of coffee and chocolate to bring out an intense mocha mousse character. It is best enjoyed slowly while allowing it to warm - doing so will release different layers of flavor and complexity!
- Hopdrama IPA : A beautiful mélange of hops creates a fruity aroma evocative of wafts from an alluring fruit bowl. The ever-changing hop scene forges the freestyle of each unique batch…
- Yak Attack : Yak Attack Fresh Hop Pale Ale checks in at a slightly less potent 5.2%, and was brewed with Simcoe hops from the Yakima Valley, a well-known hops growing region in Washington State. It’s said to be “an incredibly balanced and smooth pale ale, showcasing fruity and earthy hop aroma and flavours.”
- Black Friday Imperial Stout : Russian Imperial Stout brewed in collaboration with Justin from Ommegang. They started with Kyle's IRS recipe and added dark Belgian Candi syrup, Star Anise and licorice root. Expect notes of coffee, dark chocolate, licorice and alcohol with an herbal finish.
- Black Whole : Black Whole is a multi-dimensional ale that takes many twists and turns similar to our daily lives. It has a big chocolate expression with moderate caramel notes, complex toasted to biscuit notes and hints of clove and black licorice. 
- SweetWater 420 Fest Double IPA : The newest beer to the Dank Tank line is brewed with 100-percent Marris Otter grain for a clean, malty finish. Turning up the funk on this brew, SweetWater worked with the Hopsteiner Breeding Program in Yakima Washington to throw in two new varieties of experimental hops – Eureka™ and Lemondrop™. Eureka™ yields a blend of black currants, dark fruit, strong herbal notes, pine tree, mint, grapefruit rind, citrus, and tangerine; while Lemondrop™ gives off lemon, citrus, orange, grapefruit, and “Amarillo-like” notes.
- Hawai'i Nui Sunset Amber Ale : Medium-bodied all-malt Amber Ale with complex hop character balanced by an understated sweetness. Small-batch brewed with two-row, caramel, wheat, and chocolate malts. Premium hops add a distinctive exotic note.
- Dogtown Duck IPA : Meet Dogtown Duck. He is a badass skater duck who perfected a Burt in empty swimming pools after a morning surf sesh at P-O-P. This West Coast IPA is a blend of citra and simcoe hops. It has the perfect blend of pine, citrus, the 70s, salty air and attitude. It has just enough malt structure to support the plethora of hops that dominate the palate from start to finish. The dynamic aroma is piney, citric and slightly floral; its pungent, herbaceous flavor carries a hint of fruity ester that is quickly subdued by a lingering, mouth-watering bitterness.
- Drawn To Light : Inspired by the classic Abbey Ales of Belgium, Drawn to Light has an inviting floral aroma, crisp and fruity malt profile and a very dry finish. Stylistically this beer is a Belgian Pale Ale and will evolve with some aging.
- Pale Ale : "Our Pale Ale is brewed with amarillo, ahtanum and cascade hops. All three hops are used as the bittering, flavor, aroma and dry hop in this brew. It's citrusy, grapefruit character comes through in flying colors and is perfectly balanced by the caramel character of the specialty grains. 35 IBUs, 5.5% Alcohol"
- Java Pale : English style Pale ale infused with fresh roasted Ethiopian Yirgacheffe Konga coffee from our friends at the Agape Roasting Project. The distinct flavors of this light roast coffee combined with an earthy, floral hop character give this beer a very interesting and complex flavor.
- MoonRay : Robust Porter dark as the night sky and deep as the outermost galaxies. Pleasant aromas of dark smoky grains, molasses and chocolate guide the way to a creamy full bodied blend.
- Black Celebration : Black Celebration is a dark mixed culture ale aged on over 3.2 pounds of Colorado-grown sweet cherries per gallon of beer. Immense flavors of dark chocolate and cherries combine with a medium acidity and velvety carbonation to create the perfect beer for your winter solstice celebrations. Crimson bordering on black with an incredibly metal pink head. 6.8% ABV.
- Century Ale Brett Saison : Allagash Century Ale is a Brett Saison Brewed with Pilsner, Raw Wheat and Biscuit Malt. This beer is fermented for 2 years in stainless steel with a blend of a traditional Saison yeast and Brettanomyces. Before Packaging it is dry hopped with a blend of German and American experimental hops. Golden in color, Century Ale has aromas of toasted crackers, passion fruit and citrus. Complex flavors of biscuit and fruit are followed by a dry, slightly tart finish. This beer should be consumed fresh.
- Girl And The Goatee : Collaboration with Chef Stephanie Izard of Girl & The Goat. Brewed with maple syrup, grapefruit, long Thai chilies, and sarsaparilla.
- Peach Punch (You In The Eye) : So nice, we brewed it twice! Great Notion & Block 15 have teamed up once again to brew this special ale, blending techniques and ideas from both breweries. Peach Punch is a luscious, fruit-forward IPA, fermented with peaches & apricots and dry-hopped with massive amounts of Galaxy & Mosaic hops.
- Scotch Ale : Our Scotch ale is one of our seasonal offerings. Reminiscent of the Scottish ales of the 1700s and 1800s this strong, dark beer with ruby highlights is deeply malty. A smooth body exhibiting caramel with hints of dark grains leads to a crisp finish.
- Kuhnhenn Les Saisonniers : Named for the migrant farm workers in the Wallonia region of Belgium, this spritzy, summer sipper is a delight in a glass. Pouring a brilliant, sparkling gold with orange and amber hues, this farmhouse-inspired ale showcases colors of an early summer sunrise. Bright fruit notes reminiscent of juicy peaches, alongside naval and blood oranges exist throughout, with a hint of white pepper and mild clove, all amongst a soft, wheat bread background. Styrian Golding hops provide an earthy, herbal character that sustains throughout to the dry finish.
- Schell's Chimney Sweep : Dark and mysterious, with an intriguing wisp of smoke, a chimney sweep has long been considered a source of good luck. Schell’s Chimney Sweep draws its inspiration from these lucky individuals and the rich dark lagers of Upper Franconia in Germany. Expect a black lager with a roasty maltiness, sturdy hop bitterness and an underlying subtle smokiness.
- Alyosha : Alyosha is Trappist style Enkel brewed with pilsner malt, wheat, and Saaz and Grungeist hops. The Abbey yeast contributes notes of fruit and spice, while a soft and supportive malt palate balances the floral hop profile.
- Abita Select Black IPA : Our Black IPA is made with a combination of pale, caramel, chocolate and black malts. This gives the beer a very dark color and a strong roasted malt flavor. It is then liberally hopped and dry hopped with Apollo, Centennial, Amarillo, and Citra hops. This gives the beer an intense hop flavor and aroma.
- NonDenominationAle : A strong dark Belgian style beer brewed with spices, this beer was designed to be a holiday seasonal ale. Which holiday is really up the beer-holder. Whether you believe Jesus is the reason for the season or you are a devout Pastafarian and worship the Flying Spaghetti Monster this brew is for you.
- Pillowfist Hazy IPA : This NE style IPA is packed full of luscious hoppy goodness, paired with a mouthwateringly juicy character. With over 4 POUNDS of hops per barrel, it delivers an incredibly complex and aromatic brew. Pillowfist is unfiltered, unprocessed, and unapologetic offering waves of tropical flavors followed by a gentle hop bitterness.
- Lily : A fruity, peachy, pineappley mango-y assault on the nose, but dank pine and hop resin flavors on the tongue. Very drinkable for a higher ABV, Lily deftly balances Columbus, Chinook, Citra and Equinox hops with the malts, expressing most of the bitterness in the finish.
- Droste Effect : A pitch black imperial stout with dozens of pounds of chocolate added before resting on roasted cocoa nibs for a decadently bittersweet dark chocolate experience.
- Mephistopheles' Stout : Mephistopheles is the crafty shape shifter, the second fallen angel. Amazingly complex, coal black, velvety and liqueurish, this demon has a bouquet of vine-ripened grapes, anise and chocolate covered cherries with flavors of rum-soaked caramelized dark fruits and a double espresso finish. Cellarable for 10+ years.
- Infidel : Dark doesn’t always have to be scary, and this beer is the perfect example of that. Infidel is a porter that has hints of chocolate and soft roasted notes. A well-balanced bitterness is rounded out by a silky, smooth mouthfeel that is derived from a large addition of wheat malt. This is an extremely drinkable yet complex porter.
- C Porter : The C Porter is our Port Everglades Porter aged with coconut in an attempt to concoct a Caribbean inspired dark ale. Some say this beer is reminiscent of a Mounds bar in a glass. Notes of sweet coconut, milk chocolate, and subtle roast lace the air while caramel, coconut, nutty esters, and milk chocolate hit the palate. You will find all the malt depth of the Port Everglades Porter, but with a tropical twist.
- Rendezvous Brandy Barrel Aged Biere De Garde : A Biere de Garde—literally, “a beer to keep”—is a style conceived in the hills of Northern France. This traditional farmhouse ale is brewed with a special French ale yeast, giving it a subtle, yet delightful ester fruitiness. Ample amounts of 2-row malt give Rendezvous a luscious, full body. Generous amounts of Munich malts are added for additional sweetness and give Rendezvous an impassioned red hue. Saaz hops are added for a mild bitterness and a clean finish. Robust, smooth, and surprisingly refreshing, the effect on your palate is an intense, fleeting episode: a rendezvous. Aged in brandy barrels for 10 months.
- Am I Okay? : Am I Okay? is our single oated, single lactosed, single fruited, and single dry hopped Single IPA! Brewed with all of the aforementioned ingredients. Intensely hopped and dry hopped with Mosaic, Simcoe, and Chinook. Conditioned atop a reasonable and balanced amount of luscious apricot pureé. Big bright and insecure notes of lemongrass, unripe donut peach, floral sunshine, and tropical breeze.
- Blueberry Cream Ale : A light bodied ale brewed with lactose sugar and packed with blueberries. Fresh fruit aroma bursts from this deliciously creamy brew. Go ahead and enjoy Michigan fresh in a pint!
- Kuhnhenn Blueberry Tart : his rich, caramelly lager was infused with fresh blueberries to give it a bright, fruity flavor. A slight hint of tartness helps cut and balance the sweetness of the berries, while toasty, caramel undertones complement throughout. This refreshingly delicious, summery brew is sure to delight on the warm days and nights ahead.
- Jolly Rodger with Blue Bottle Coffee : After years of amassing booty on the high seas, Drake’s Jolly Rodger naturally acquired a taste for the finer coffees brought to life by artisan, specialty roasters. That’s why this year, Jolly teamed up with Blue Bottle Coffee’s meticulous roasters in Oakland for his latest incarnation, Jolly Rodger 2014 Coffee Imperial Stout. Rich and complex, this beer features luscious chocolaty and subtle roasted malt flavors that blend expertly with a specially made roast of Kenyan Kangunu coffee to create aromas of caramelized stone fruit and flavors of black currant, tobacco, and caramel.
- Quadruplication : This is the big one! Like its sister-beer Disorientation, Quadruplication is brewed to honor the age-old traditions of the Trappist monks. Darker malts and dark candi sugar are used to craft a full bodied ale with a deep chestnut color. As this beer warms up, it grows in flavor complexity- each sip offers a new experience. Hints of caramel, plum, grape, and licorice can be noted in different stages of its journey.
- Golden Prairie's Doppel Alt : Only one other brewery in the world brews a dopple alt. We are pleased to introduce a new style to the American craft beer market. Golden Prairie DoppelAlt is a darker, slightly roasty version of our flagship ale, Golden Prairie Alt, with hints of chocolate malt and a balanced hop profile.
- Devil's Advocate : This 100% brettanomyces ale is brewed with Mosaic hops, fermented warm and soured in wine barrels. Right before bottling, it’s dry hopped with Nelson hops to create an aromatic and sour ale that embraces both our love of farmhouse funk and tropical aromas of passionfruit, mango and melon. A delicious contradiction of flavor and style.
- 1768 Dunkelweizen : OMB is proud to be Charlotte Born & Brewed. What better name for this fresh Dunkelweizen than the year our hometown was founded? Incorporated in 1768 with a courthouse, prison and a few settlers’ cabins, “Charlotte Town” has grown from those humble beginnings into the sophisticated city it is today. 1768 mirrors that progression. This unfiltered brew begins with the distinct clove and banana flavors of a traditional hefeweizen before finishing with a subtle complexity derived from select dark malts.
- Salted Caramel : Sweet tropical roasted pineapple and orange cream aroma. Hazy, dark brown body with a quick foamy off-white head. Bitter mango fruity hops flavour.
- La Chocolate Milk Stout : Inspired by the British sweet stouts, our chocolate milk stout will let you discover the perfect match between dark chocolate, cherry and rotated malt.
- Watermelon Kölsch Style Ale : This seasonal ale adds a unique twist on an appellation from Germany with the addition of fresh watermelon puree to the light, clean and crisp German Style Ale. The subtle sweetness from the fruit compliments the malt and hop character to create an incredibly sessionable ale. This seasonal beer is excellent in the summertime and best enjoyed outdoors with friends.
- Porter Aged In Bourbon Barrel : A fresh batch of Port Jeff Porter is divided into three Heaven Hill Distilleries whiskey barrels (virgin, one-fill, and two-fill), matured for three months, and carefully reunited using secret blending techniques—involving some mandatory taste-testing, of course—performed by our brewmaster. The aforementioned barrels introduce bourbon, oak, and vanilla to our traditional porter, catapulting the beer to a new level of complexity. It’s that simple.
- Whitecap IPA : Featuring Idaho 7 and Mosaic hops that contribute big fruity notes of apricot, tropical fruit and citrus with moderate bitterness. A touch of orange peel and coriander add some depth to the citrus notes as they was over your taste buds. Plenty of wheat yields a pale golden color and a light, refreshing beer that tops with a frothy white foam. On the Carolina coast or in the NC foothills; sit back, relax and let this white IPA roll over your palate and quench your thirst.
- Coffee Porter : A seasonal ale, brewed using imported black malt and dark roasted mountain grown Arabica coffee beans. Storm Coffee Porter is a roasty, dark, top fermented brew with a subtle coffee aroma and pleasantly mild palate.
- Cosmic Bramble : Cosmic Bramble is a Sea Buckthorn Saison brewed with pilsner malt, raw wheat, and toasted buckwheat. Assertively hopped in the kettle with Wakatu and copious amounts of Sea Buckthorn powder. Then conditioned on luscious passion fruit puree. Notes of mandarinquat, white cranberry, raspberry leaf, and black currant preserves.
- Carton Of Milk : The key to a sessionable beer is the way it evolves over time well spent. Here we took an extremely dark malt bill and dulled its edges with the addition of lactose and nitro conditioning, then we wafted black currant notes of Bullion hops through the middle. Nuanced to keep it an interesting part of a gathering while neither dominating nor being inconsequential to banter. Drink Carton Of Milk because it does a session good.
- Chaos Reigns : As a brewer, you can only guide the beer you brew. Mother Nature and yeast have minds of their own, and will do what they please within the guidelines we as brewers provide. In homage to the Chaos that rules our lives, we bring you Chaos Reigns. Dark, all encompassing, deceptively silky smooth with a warm afterglow. Make it Reign! 10.6% ABV, 100+ BU
- UFO Raspberry Hefeweizen : We have added natural raspberry flavor to our UFO Hefeweizen to create this beer. Consistent with the hefeweizen style, this beer is unfiltered and cloudy with a solid foamy head. UFO Raspberry has a distinctive, hazy rose color. The scent of fresh raspberries hits the nose immediately, along with a subtle bready aroma from the wheat and yeast. The body is light and the unfiltered yeast provides a soft mouthfeel. The taste of the fruit compliments the beer nicely, neither overwhelms the other. There is a faint sweetness on the palate, which finishes cleanly in a semi-dry, tart finish.
- Only Void - Single-Origin Ethiopian Coffee : Our Imperial Stout. Single-Origin Coffee Only Void was cold conditioned on heavy amounts of our Awake Minds Ethiopian coffee (roasted by our pals at @reanimatorcoffee) for many moons. The result is a complex and luscious reimagining of one of our most dark and devastating beers.
- Two Weeks Lager : Our lightest beer on the spectrum, this clean, refreshing North German Pilsner is light in body and effervescent with European noble hops (Saaz). Finishing dry, this beer showcases a single flavor profile. Like many lagers very straight forward with no complex ale flavors.
- Dyni Porter : Basement Brewery's own Dyni Porter is a dark, strong beer with considerable complexity. Dyni Porter has been fermented for a total of two weeks followed by an aging period of three weeks in bottles allowing the beer to develop its flavors completely. Expect initial flavors of dark chocolate, smoothed by caramel notes from the crystal malt and finished off by hints of flowers and earth tones derived from the Fuggle and Mount Hood Hops. Enjoy in a room temperature "snifter" glass.
- Tropical Gose : A delicately tart and tropical gose brewed with just the right amount of salt to compliment the heavy fruit presence.
- Naughty Redhead Imperial Red Ale : Righteous hops and cherry aromas tell you this is not your ordinary red ale. A sexy complexion with buttery malts make this exotic brew something to be desired. Nuts and caramel build to form the perfect union of awesomeness in your mouth.
- Australian Mountain Pepper Berry : A crisp, clean, simple lager flavoured with sundried Australian blueberries. The blueberry imparts a slight blueberry /cherry nose but no "fruity blueberry" taste. The fact that the berries have been sundried means that they impart a wonderful tinge of black pepper on the back of your tongue. Since pepper enhances flavours it brings out this beer like no other beer you have ever tasted.... We brought the flavour to North America to share with you.
- Colorado Greenback IPA : Light, clean, hoppy, and refreshing. Our sessionable IPA will lure you in with an incredible citrus, floral, piney aroma while the delicate malt profile dances briefly on the palate before moving to a dry, bitter, grapefruit ending. Not too hoppy, not too malty.
- Babydoll : Babydoll is our saison, made exclusively using Mosaic hops. There's a lot to love in this one - bright tropical notes from the hops, complex spices, all blending perfectly into one irresistible package.
- RoboHop : Part malt. Part water. All hop. This futuristic red IPA single hopped with state of the art German TNT hops traverses all hops with notes of grapefruit, melon, pine, and mango.
- Troptimus Pine : Troptimus Pine is a tart IPA with guava and passion fruit dry-hopped with this year’s ALS proprietary hop blend created by Loftus Ranches and Hopunion. Juicy and dank, this tart IPA explodes with aromas of funky passion fruit with flavors of guava, peach, and apricot.
- Teeth Of Lions Rule The Divine : This tart wheat ale is fermented with lactobacillus and finished with our house mixed culture of wild yeasts. Dandelion root in the kettle and dry hopping with Chinook and Centennial combine for an herbal, citrus, and pine character that balances the bright and fruity acidity. Our ode to spring!
- Double Chocolate Stout : This double chocolate stout is smooth, dark and full-bodied. Chocolate dominates the palate with notes of coffee and roasted grain. Hopping with East Kent Goldings provides a balanced finish.
- Fata Morgana : A Belgian strong ale that packs a punch & has a fruity character, typical of true Belgian beers.
- Cascade Grenade : Pale ale showcasing the grapefruit-like flavor of Cascade hops
- The Wandering Norberto : American IPA brewed with barley, malted wheat and dextrin malt. Double dry hopped with 8 different hop varietals to create a melange of citrus, spice, tropical fruit and pine aromatics.
- Scratch Beer 105 -2013 (IPA) : You may remember our recent single hop Pale Ale, Scratch #100, brewed with an experimental hop variety known as El Dorado. Well, we decided to revisit this hop again, but this time we decided to go bigger… and bitter! The result is a hefty IPA bursting with juicy tropical and zesty citrus fruits flavors. But make no mistake! At only 66 IBUs (moderate by today’s standards), you can still enjoy the potent hop characteristics without completely destroying your taste buds. The variety of lighter malts lends a bit of balancing sweetness and prevents this IPA from going over the top. Enjoy a pint before it disappears. Your palate will thank you!
- RPA - Rye Pale Ale : Our Belgian style RPA has an inviting deep tawny copper colour and a spicy nose from the hefty quantity of malted rye married with the estery profile of the imported Belgian yeast. Light bodied, fruity and spicy with a lingering crisp finish.
- Naked Fish : First brewed in 2002, Naked Fish, like most traditional Stouts, is medium-bodied and nearly black in color with a light tan head. But where Naked Fish turns the stout style upside down is in its flavor profile. Gourmet Chocolate Raspberry Coffee is added to the grain bill to produce a taste experience you’ll never forget. Naked Fish hooks you with flavors and aromas of roast coffee, raspberry and dark chocolate, before releasing you to a dry, chocolatey finish. These enticing flavors, combined with a moderate 4.6% abv, are guaranteed to make you get naked. Fish. Or whatever.
- Old Snowshoe Winter Ale : American/British style Old Ale. Dark amber color with a tan head. English and Belgian malts for a complex and warming malt flavor brewed with golden and Blackstrap molassis. English hops employed to balance and compliment a rich bodied ale.
- 43 Degrees N - 89 Degrees W : Our homage to Cantillon 50 Degrees North 4 Degrees East. 2 year old unblended lambic aged in a Brandy barrel. This unique lambic is the fruit of a collaboration between Funk Factory Guezeria, O'so Brewing and Old Sugar Distillery.
- Tropic Like It's Hot : Hefeweizen with passionfruit, pineapple, and lime.
- The Black Dahlia : This deep dark beer takes some time to unravel and fully appreciate. Brewed with Styrian Golding hops and a blend of German and Belgian malts, The Black Dahlia honors the beauty and mystery of Los Angeles in the '30s and '40s.
- An American Pale : A classic example of a classic style. Aggressively hopped, though not overly bitter, An American Pale is an essential pale ale with a wonderful hop aroma and flavor balancing between fruit, floral and spicy all the while held up perfectly by a trio of American malts. Hop Heads can rejoice in this supremely drinkable beer.
- Jet Black Heart : Flaked oats and wheat add to the velvet mouthfeel, with the carbonation adding a honeycomb texture. Magnum and Sorachi Ace bring a berry and citrus fruitiness that amplifies the chocolate character of this inky leviathan.
- 38° Hefe : A true hefeweizen, heavy on the wheat and unfiltered yeast! The Lena Hefeweizen is a golden wheat color, with notes of fruit and clove, very drinkable and refreshing. True to the style, this beer is unfiltered and naturally cloudy in appearance.
- Passionfruit Silhouette : Brunch-style Sour IPA with milk sugar, passionfruit, Mosaic and Simcoe.
- Fluxus 2009 : Fluxus '09 was brewed in the style of the traditional Saison. For our twist, we added sweet potatoes, black pepper and a generous amount of hops. Sweet potatoes not only enhance its pale orange appearance, they contribute significant body. Centennial hops produce a bold grapefruit aroma, which is followed by a mild, honeysuckle sweetness. The intensity of both the pepper and hops are felt throughout, leaving a lingering warmth on the tongue. Papya, citrus and pepper dominate the flavor profile.
- SPON FRUIT — Raspberry & Cherry : 2017 SPON Raspberry & Cherry is our 100% spontaneously fermented beer, refermented with cherries and raspberries. We blended four SPON barrels from 2016 (about 1,500 liters) and added 800 pounds of Washington raspberries and 800 pounds of Michigan Balaton cherries. Like 2016 SPON Mourvedre & Sangiovese, we allowed the beer to referment with the fruit to dryness, then naturally conditioned the beer in kegs and bottles resting on their side.
- Wild Horse Ale : This award-winning amber ale is guaranteed to tame your wild thirst. Wild Horse is brewed in the German "Alt" tradition. It gets its malty, rich and complex flavor from a blend of five malts. A two-time Bronze Medal winner at the Great American Beer Festival.
- Franktown Brown : One sip of this mahogany-hued brew will cure your summertime blues. Its full nutty flavor derives from a special blend of imported English Caramel malts and hops.
- Wheeler Peak Wheat : Refreshing and effervescent – The liberal use of malted wheat lends a light, dry but fruity finish to this satisfying brew – an unfiltered hefe weizenbier. Drink it in the German tradition with a slice of lemon.
- Big Daddy Hooch : Doppelbocks are the “port wines” of beer - smooth, rich and complex. Named after the brewmaster’s grandfather, this lager has a balanced malty sweetness with a warm toasty finish. Served only in 10 oz glasses the “HOOCH” is quickly becoming stuff of legend around here.
- Black Rock Blackberry : The Belgians. known for wonderfully complex and interesting beers, have been adding fruit to their brews for centuries. This is not an effort to make a lambic style beer, just a refreshing and flavorful ale with a crisp, tart finish.
- Bighorn Brown Ale : Dark in color but light in body. A perfect complement to grilled meats, cheeses, and other full flavored dishes.
- Peak Organic Pale Ale : Our Pale Ale is a complex hybrid between a West-Coast Pale Ale and a British-Style Pale Ale. An abundance of Cascade Hops gives this beer a citrusy, floral nose. We use a high percentage of Caramel Malt to provide a stark contrast to the hoppy front palate, giving our pale ale a smooth, malty finish.
- Ambika Wheat : American Wheat Ale gently hopped with Centennial and aged on house-made Mango puree. It's delicate, fruity and laced with mango.
- Passion Of The Weisse : Passion fruit Berliner Weisse
- Fuzzy : This is our Pitch Black ale, aged on organic cherries, in Vermont Spirits bourbon barrels for 6 months. We then referment the beer with Brettanomyces and aged it for another 6 months. Fuzzy has smooth roast and oak flavors blended with subtle notes of dark chocolate and cherry pie. Crisp and dry with tart, almost sour finish.
- Ménage à VA : An India pale ale celebrating “Ménage À VA,” that is, a meeting of Virginia breweries from three corners of the Commonwealth. Friends from O’Connor Brewing Co. and Fair Winds Brewing Co. joined us in crafting a special IPA featuring lupulin powder, an oil-rich dust, derived from Ekuanot, Cascade, and Simcoe hops. Huge tropical fruit notes nicely complement the citrus flavors of the hop powder. The beer will be released at Craft Brewers’ Conference 2017 in Washington, D.C.
- The Quad : Our interpretation does not disappoint. Belgian Candi sugar added to the kettle augments an already large malt bill consisting of nine different malts. Subtle hop additions of Perle and Czech Saaz contribute bitterness and a hint of spiciness. This beer underwent a secondary fermentation in the conditioning vessel after a small dose of Candi sugar and yeast were added to the finished beer. This secondary fermentation is what gives the Quad its carbonation and mouthfeel. It all finishes off with a noticeable presence of alcohol that marries well with the spicy notes and equates into a complex brew not so easily solved from the first drink.
- 07740 - Simcoe : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07740 is the Dubviant staked by a third Simcoe exclusive dry-hop inspired by the places that get it in Long Branch. Simcoe parlays Dub’s mix of dank resins and tropical fruit aromas with those reminiscent of berries and mulch. Drink 07740 'cause nothing ventured nothing gained.
- Cinnamonk : Cinnamon and monks are both known for being found in remote locations. Their stories separately stretch back several millennia, and both can pinpoint their popularity to modern day Egypt. But here's something else they have in common: together, they make a formidable team in creating wildly traditional bière™. Cinnamonk is a dark, imperial, Belgian-style sour brown ale - the type of beer a monk might brew if he took up permanent residence in Southern California. Cinnamon was used to amplify the subtle spicing derived from the Belgian yeast while blueberries catapult the dark fruit flavors. After spending time in bourbon barrels, the result emerges with notes of candied dates and tree nuts, toffee-drizzled dark winter fruits, maduro earthiness, autumnal spicing, tart flavors and oak-aged character.
- Summer Wheat : Hazy straw color, light orange hop aroma, fruity ale flavor, creamy body. The lightest of all our beers. Perfect for a hot summer day.
- Trouble : Dark & Vinous Sour Brown Ale; Combines Dark Bready Malt Richness with a Lively, Pinpoint Acidity & Alluring Aromatics of Fig, Concord Grape & Sour Cherries. Brewed in Collaboration with De Struise Brouwers (West Flanders, Belgium) at Bluejacket in Washington, DC.
- Redbridge : Rich, hearty and full-bodied gluten-free lager brewed from sorghum. Redbridge has a distinctively fruity hop aroma, a sweet toasted grain flavor and a well-balanced, moderately 
- Hold On To Sunshine : Hold On To Sunshine is a rich and delicious stout intended to be savored and enjoyed as we enter the cool Autumn months here in New England. Brewed with Pale and Chocolate malts, Lactose, Coffee, Cacao, and Peanut Butter, it exhibits notes of rich milk chocolate, dark brown sugar, creamy espresso, and chocolate covered peanut butter cups. A luxurious mouthfeel and creamy body contribute to a beer that feels much bigger than it is - a decadent treat and one that won't overwhelm you with heaviness, yet is loaded with delicious bold flavors that express themselves as it warms. Life can come at us fast and hit us with unexpected hardship, inducing stress, fear, anger, confusion, sadness, and uncertainty. But together we must find solace and comfort in each other, and in something wonderful, equal, and free for everyone to hold on to - Sunshine. For Lauren.
- Strom Bomb Stout : An Oatmeal Stout by style. This is a fairly large beer. Very dark in color. This big malty beer is filled with complex flavors which include, caramel, toffee, coffee, and espresso flavors. The addition of 150 pounds of oatmeal to this brew helps smooth out all those complex flavors creating a slightly creamy mouth feel. This beer is hopped just enough to balance out the high level of sweetness in this beer.
- Out Of Order Porter : A brown porter by style. This beer is actually deep red in color. It is also a very light beer. Porter gets its dark appearance from chocolate and roasted malted barley. This malt gives our porter some sweet chocolate flavors. This ale is very lightly hopped and finishes slightly dry.
- Nula - Vic Secret, Citra, Ella, And Mosaic : Sour NE-style pale ale. Out-of-control juicy and tart. Hard to believe, but no tropical fruits were harmed in the making of this beer. 
- High Street Wee Heavy : Named after our brewer's grandfather who lived on High Street, Inververie, Scotland. A deep dark rich and malty flavour is soft and complex in the true Scottish Ale style. A real treat that leaves you wishing for just one more sip. As we say here "Don't be afraid of the dark!"
- Growl : Quadrupel ale brewed with Nugget hops as well as dark candi syrup.
- Umbrella New World IPA : Umbrella India Pale Ale is brewed exclusively with Australian grown Ella Hops. The use of Ella hops offers an aroma that is filled with gooseberry and bright fruit. The fresh and zippy Ella hops are nicely balanced by a clean and light pale malt character. 
- You Bretta Run : Most brewers would run away from the idea of brewing a 100% brettanomyces beer, but our brewers ran to the challenge and met it head on. Commonly considered one of the hardest yeast strain to manage, brettanomyces implores copious amounts of natural tropical fruit esters that we paired with mangos for a crisp and clean showcase of our brew team’s talent. This sour spent nine months in stainless and never touched oak, leaving it a wildly tame and drinkable sour.
- Vaulted Vanilla Milk Stout : Vaulted Vanilla Milk Stout is a collaboration with our friends from Sauer's Spices: bold and rich, featuring notes of chocolate and residual sweetness from the addition of lactose, balanced by a roasty base. This big, dark stout is silky smooth, blended with pure Madagascar Bourbon vanilla extract that’s been aged for over 40 years in the Sauer's vault.
- Platinum Blonde Ale : Using premium two-row pale malt with other malts to balance the color and flavor, our Platinum Blonde is designed as a flavorful beer using ale yeast to crate tangy fruit undertones. It is a beer suited for drinking all year long.
- Jolly Roger Imperial Stout : Jolly Roger himself blessed this big stout. This is a massive stout with a huge roasted maltiness with complex smoky, chocolate flavors coming through strong thanks to the gentle hand-pump and correct cellar temperature.
- Sweet Jane : An anthem of an IPA; dank evergreen forest, juicy fruit, and citrus shout out the verses, while the malt lays down a solid groove. The chorus of flavors rolls back through in the reprise, finishing clean and dry.
- Altercation : Ale and lager fight for supremacy in this rare beer style: this is a dark copper ale but is fermented at colder temperatures like a lager and is more bold than an altbier. Full-bodied, well-hopped and bitter balanced by nutty-malty sweetness with notes of caramel and roasted malts.
- Ziggy Barleywine : American barleywine boasting a dense, fruity bouquet, an intense flavor palate and a deep reddish-brown color.
- Expedition Porter : Our porter is a degree less intense than our stout. It is a dark ale with a malty flavor and strong hop character, this brew is always on tap at Altitude.
- Bitter Creek Wee Bastard Scottish Ale : Like one of its Caledonian Bretheren', Wee Bastard is a traditional Scottish ale brewed to be rich , malty and smooth with a touch of fruitiness. Don't be fooled, this ale pacs a "wee heavy" punch to lift yer kilt!!
- Old Stinky's Strong Ale : This Strong Ale is sweet and fruity, balanced with a generous amount of hops. Fashioned after the “Old” ales of England this beer is intended to be heavy in alcohol. Ol’ Stinky’s has a small amount of Roasted Barley for color. In addition to a large amount of bittering hops, this beer is also dry hopped. The alcohol content is 8.2%. Ol’ Stinky’s is the first signature beer of Rob “Stinky” Denton.
- Nut Brown Ale : Sweet, nutty, malty, vanilla, and chocolate flavors abound in our smooth as silk Nut Brown ale. Nitrogenated.
- Beltane Herbal Golden : Elderflower Saison with Brett. Spring floral nose, citrus notes of tangerine, pineapple and tropical fruit golden straw hue, light buttery - creamy body with rustic honey tartness bright floral highlights, crisp and dry finish.
- Dugges / Cloudwater Pale Ale Pale Ale Pale Ale : What we really want to write here is just Pale Ale… but that’s not very informative (nor should it be). We want to shout it at people. Get them excited. People nowadays rarely get excited about a pale ale. Pale Ale! This beer is a collaboration between Dugges Bryggeri and Cloudwater Brewing Co., Manchester, UK. We wanted to explore the cooperation between a soft, biscuity malt base and lots and lots of fruity hops. We wanted to make a modern pale ale staple. The one you have in your fridge at all times. The goto. The neo-session. The pale ale, pale ale, pale ale. Vienna malt and oats gives the base, American hops in abundance gives the treble. And in the middle, there’s just pure delight. Pale ale!
- Counting Vampires : According to old English folklore, growing blackberries near your home would ensure that a Vampire couldn’t enter. So the tale goes, they would obsessively count the berries and forget what they were there for, or never finish counting! This dark IPA is packed full of fresh blackberries (pictured going in below), so it could offer you some spiritual protection as well as being the tasty first beer from our new Head Brewer.
- Dunkelweizen : This beer is characterized by a distinct sweet maltiness, and roasted malt and chocolate like character with the estery banana and clove elements of a hefeweizen still prevailing. The color is dark brown/black.
- Beam Porter (Jim Beam Barrel Aged) : Aged in Jim Beam barrels for 6 months. Loaded with vanilla, and bourbon from the oak. Deep, dark, and chocolishous flavors abound. With medium body, low bitterness, and velvet mouth feel, this black beauty is sure to please.
- Adult Human : We teamed up with The Veil Brewing Company to brew a juicy double IPA with blood oranges. Adult Human leads with a dank, tropical nose. Flavors of papaya, orange creamsicle and zesty grapefruit wash across the pallet. A subtle ripe sweetness from the blood oranges is balanced by a clean, crisp finish and moderate carb. 
- Experimentalis With Gooseberries & Raspberries : This time we have jammed our barrels with two different fruits, Gooseberries and Raspberries, 100% grown right here on our property. This is a blend of 1 year old and 2+ year old ale aged in South African Red Wine Barrels.
- Schops : This is a Polish Chocolate Wheat Beer, made with 74% European Dark Wheat complimented by Pilsner and Dark Chocolate malts, with a low hop character to round it out. Made popular in the 16th century, this is not like any wheat beer you’ve ever had.
- Fruit Face With Cucumber, Cilantro, Lime & Chile : Also known as Fruit Face Be Cool Bits
- Spring Tonic : A wheat based IPA made with Galaxy and Sorachi Ace hops. Fruit forward aromatics are full of grapefruit and peach while the sap brings along sweet and woody flavors.
- Citra Mist : Citra Mist IPA is a continuous dispersion of grassy citrus, lychee and grapefruit juice aroma. The fruit flavors linger throughout the mouthfeel thanks to generous additions of wheat and oats. Coming in at 6.22%, Citra Mist is easy to session when you need to just kick back and relax.
- Holiday Open House : Holiday Open House is an English Barleywine aged in Buffalo Trace Bourbon barrels. We aged the beer for 18 months in barrels prior to 12 months of natural conditioning in the bottle. The beer is silky smooth and full of caramel, dried fruit, and bourbon.
- Harvest Ale : Dark auburn color, citrus hop aroma, caramel flavor, medium body
- Crescendo : Brewed with El Dorado, Galaxy and a new experimental hop known as Grungeist. This new variety boasts peach, lemon, and passion fruit flavors.
- Thunder Canyon Bing Bang Ale : A full-bodied strong ale brewed with raisins and finished with dark Bing cherries. The raisins give this high alcohol brew an almost port character with a hint of cherries in the finish.
- Thunder Canyon Blueberry Glacier : A light and refreshing fruit beer. The aroma and color come from over 600 lbs of blueberries. The result is a beautiful balance between berries and beer.
- Smashin' Berry Ale : An abundance of fresh, natural fruit flavor makes this beer something special. You would think we picked the fruit moments before brewing.
- Thunder Dog Stout : If you like a stout that's full bodied and packed with flavor then this one's for you. Half of the grist in this brew is comprised of either caramel or roasted malts creating a complex, chewy, chocolatey delight. It's like a meal in a mug!
- UrBock Winter : Dark and strong!
- Grisette About It! : Brewed with heirloom oats and raw organic einkorn – one of the earliest known varieties of cultivated wheat – Grisette About It! gets its subtle nuttiness and soft spiciness from a blend of noble Czech Saaz and fruity German Hallertau Blanc hops. Fermented with two strains of Belgian yeast and aged in French Oak Chardonnay barrels for two months, this 3.5% ABV brew is pale and hazy with notes of toasted oak and soft vanilla.
- Black Tie Optional : Brut IPA brewed Amarillo, Cascade, and Citra with a ridiculous amount of Peach and Blood Orange. Inspired by brunch cocktails like Bellinis and Mimosas, we brewed it with a simple malt bill of pilsner and added flaked rice to lighten the body and add a subtle coconut creaminess to the flavor. We added a small amount of cascade to the whirlpool, then fermented on over 2lbs per gallon of peaches and ½ lbs per gallon of blood oranges. Black Tie Optional fermented to 0 degrees Plato for an extremely dry finish that really allows all that fruit to shine. We dry-hopped with Amarillo and Citra to compliment the fruit and tie all the flavors together.
- Gettin’ Ginger Wit It : Ginger & Grapefruit Wit
- Supercruise (Cab Sauv) : Supercruise starts with wine grapes from locally-sourced, family-owned vineyards in Palisade, CO. Once the grapes have been destemmed and crushed, we allow the juice to rest for a few days - developing rich color and depth of flavor - before finally transferring the juice to neutral oak barrels along with our base golden sour. The beer then goes through a secondary fermentation while resting on the grapes, and after a few weeks is ready to bottle. Fruited at about half of what we do for Mach-Limit, the stonefruit character from the base beer is backed by bright fruit and soft tannins, yet the beer still shines through. This beer should age well with proper cellaring, however the grape character may diminish over time.
- Juice Machine (2014 EBF) : Juice Machine was originally devised and brewed to support our very first trip to Extreme Beer Festival in 2014. We’ve revived and tweaked the original recipe on a 60 BBL scale and brought new life and experience into the idea of an obscenely hop saturated yet juicy and delicate Double IPA. It is essentially a marriage of the King Julius malt bill with a hopping intensity schedule similar to that of Very Green. The use of Magnum, Columbus, Amarillo, Citra, and Galaxy creates a deeply complex drink with unapologetic flavors of tangerine, mango, lime, papaya, and grapefruit with waves of dankness. Hop burp nirvana, indeed.
- Splinter Gold : The transformation of Scratch #3-2007 to Splinter Gold has been a slow rest in oak wine barrels dosed with brettanomyces. During a two-year aging period the horsey flavors of the brett combined with the Westmalle yeast used during primary fermentation to create a complex blend of flavors. Bone-dry and 12% abv, Splinter Gold is highly carbonated.
- Old Chestnut (Dark Star Old Ale) : Formerly Dark Star Old Ale
- Rare Bourbon County Brand Stout (2015) : Back in 1979 the folks at Heaven Hill Distilleries filled a handful of new freshly charred American white oak barrels with some of their finest whiskey. It is rare for Bourbon to age in barrels for more than twenty-three years. But these barrels patiently sat for thirty-five years. The extra years developed a distinct and complex character that makes them truly one-of-a-kind. We filled those barrels with Bourbon County Brand Stout, and then stored them away in our Chicago Barrel House to age for two more years.
- Sweet Leaf IPA : Distinct, pungent and floral, Sweet Leaf is an essence of the Island. This IPA is balanced by a medium malt profile and has aromas of stone fruit followed by a tropical, floral hop flavour.
- Gulllllager : We’ve been told our phenomenal water would be super duper awesome for a light, clean lager. Being we aren’t exactly keen on traditional lagers (that and they take three times longer to make), we created a beautifully delicate and dry American style lager (utilizing White Labs 840 American Lager yeast), and then dry hopped any chance of this beer being called subtle right out of it. With over 1.5lbs of Falconer’s Flight dry hopped per barrel, the Gulllager is bursting with tropical fruit, floral, lemon and grapefruit aromas; countered by an incredibly clean and dry body reminiscent of fresh cut grass, the Gulllager is a worthy complement to even the finest summer day in the Eastern Sierras. Relying on Pilsner and 2-Row Pale with a touch of Cara-Pils for the grain bill, accompanied by CTZ and Cascade hops, this 4% ABV summer session beer goes down smooth all day long.
- Ten : (Formerly known as Quad) Inspired by the Dark Strong beers of Belgium Malt-forward aromas with dark fruit notes, but a dry and balanced finish. Notes of toffee, chocolate, raisins and plums. Pairs poorly with scissors.
- Bouffon : "Serendiptiy is a wonderful thing. Although we originally intended to brew an English Brown Ale, due to a yeast mix-up, we ended up with this beautiful Belgian Brown Ale. Light to medium-bodied, a bit fruity, with a hint of fig and a nice, La Chouffe yeast spicy finish. Embrace your inner Bouffon!"
- Kittens & Canoes : Hopped with Nelson Sauvin and Citra. Signature yeast leaves the beer hazy, adding complex notes of grapefruit, orange, and a slight tartness.
- Brains Craft Brewery Farmer Walloon : Farmer Walloon is a traditional farmhouse Saison, a beer style originating from the region of Wallonia in southern Belgium. Brewed with a unique Saison yeast, sweet malt and fruit flavours are balanced with a peppery spiciness and a dry, crisp bitter finish.
- Brett Farmhouse Ale : Our fourth run of this amazingly funky beer. Bottle condition for 3 months. Pinnneaple fruitiness with a deep rich funk - very Bretty. Fermented with blend of Saison Sacc & Brett from Escarpment Labs.
- All Night Long : Our collaboration with Jerrod Larsen of Tustin Brewing Company utilizes ginormous amounts of Equinox, Mosaic and Galaxy hops but keeps the alcohol content low enough so that you can stay all night. Light to medium in body, jet black in color, with beautiful layers of cucumber, watermelon rind and strawberry fruit roll up
- Ripper : When it came to creating Ripper, we drew inspiration from the coastal surf cultures of SoCal and Oz. Sourcing classic Cascade from the Pacific Northwest and Australian Galaxy hops from…yes…Australia, we made a beer both lovers of frothy peaks and hoppy green buds will be stoked about. At the same time, we stayed true to our San Diego roots by pushing the hop boundaries of this style. While some might think it lingers on an edge far closer to an IPA, with all the dry-hop flavor and aroma, it’s actually right in line with the current-day interpretation of a West Coast pale. Ours just so happens to have an Aussie accent that’s cascading with a juicy amount of grapefruit and passion fruit hoppiness. So veg out or venture out. Either way, rip one open and taste this awesome golden nectar!
- Alaskan Baltic Porter (Pilot Series) : Alaskan Baltic Porter is a deep, dense beer with an intricate array of aromas and flavors derived from substantial amounts of specialty malts, dark black cherries and whole gourmet vanilla beans. Aging on toasted French oak adds further complexity.
- Journey Without Maps : 2-row, flaked oats and malted wheat form a pillowy and soft body, with five pounds per barrel of Eukanot, Citra and Denali hops lending huge tropical fruit and citrus notes to the beer. A new and unexplored direction for Atlanta's oldest craft brewery.
- Beer Wolf : When you have an insatiable desire for a tasty ale; when you literally want to chew the top off a bottle of beer to get to the contents, that’s a Beer Wolf. This IPA is resinous, without the syrupy sweetness you might expect. A touch of grapefruit rounds out this big IPA. This beer replaces Iron Horse IPA in both branding and flavor. It will be available year round in draught and bottle.
- St-Ambroise Framboise : Made with carefully selected fresh raspberries and top-quality sun-ripened hops, St-Ambroise Raspberry Ale is the perfect thirst quencher for sundrenched summer days. If its glorious red hues don’t woo you, it’ll win your heart with its delicate fruitiness and crisp hoppiness -quintessential St-Ambroise.
- Ay Dios Mio : A dark Mexican Lager with cilantro, lime and roasted habañeros brewed especially for Cinco De Mayo 2012.
- Lawless IPA : Prohibition Lawless IPA is an uncompromising, overly hopped, ale inspired by the 1920's brews that sat in underground tunnels and rail-cars destined for dry countries. This IPA attacks your taste buds with a crisp and hoppy profile that was demanded in the blind pigs and speakeasies of days gone by. Prohibition's complex, refreshing, honest flavors are craft brewed in small batches at a small unassuming brewery in British Columbia Canada. Only the finest ingredients including pristine Canadian water and Cascade hops are used to deliver a beer so good you'd ask for it even if it was prohibited.
- Dead Spadina Monkey : This debuted in 2012 at Volo Funk Night event as Indie Alehouse X Amsterdam Dead Spadina Monkey - Five day soured ale fermented with a mixture of wild and Belgian yeasts for 2 months, aged on fresh Ontario Raspberries. Subsequent batches have varied between kettle sours, foeder fermentation, and sour blends. Blends with fruit other than raspberries or no fruit are listed under separate entries.
- BigLeaf Maple : BigLeaf Maple Autumn Red is a quaffable, well-balanced red ale with character. Its malty complexity and coppery color come from a combination of two caramel malts, pale malt, and a hint of maple syrup. To complement these flavors, we used three additions of Nelson Sauvin hops in the brewkettle and a unique blend of Nelson Sauvin, Citra, and Cascade for dry hopping. The result is a distinctive fall seasonal with extraordinary depth and intriguing aroma.
- Remastered Grateful Pale Ale : A fresh spin on our Grateful Pale Ale. This Remastered recipe gives Grateful a fruitier hop aroma, more citrus hop flavor and a smoother, fuller body.
- MacTarnahan's Inkblot Baltic Porter : The dark warming porter, laced with a mania of malts, that spills its secrets in every insanely delicious sip.
- Wit Beer : A light white beer of Belgian origin, we’ve brewed ours with chamomile, coriander, curacao (bitter orange peel), and sweet orange peel. All of the spices are added in the brew house in very small and subtle doses. Our Wit beer is light and crisp, with spicy flavors accentuated by fruity aromatics.
- Excolatur : What does the fox drink? If he's smart, it's Excolatur. The result of over two years of aging in Bourbon and rum barrels, this dark sour benefits from an additional four months over Montmorency cherries. The combination of lactobacillus and pediococcus give Excolatur a clean sourness with just enough funk to remind you it is, like the fox, wild and untamed. With an acidity similar to wine and a 9.7% ABV, Excolatur pairs well with a great steak, chocolate-covered cherries, or an outdoor fire pit with friends
- Barrel Roll: First Crush : Winemakers often refer to their harvest as "The Crush," a reference to their process of literally crushing the juice from freshly harvested grapes. We've borrowed this term for "First Crush," the very first beer we've ever blended from our stock of Syrah wine barrels filled with sour red ale. A mix of 18 month old barrels build complex base flavors of funk and oak, and the addition of Syrah grape juice after primary fermentation adds vinous, tannic notes of red wine, ripe fruit and leather. First Crush is ready to enjoy now, but will continue to evolve in your cellar for many years.
- Rum Wowzenbock : The base recipe came from another Great American Beer Festival award winning Portland Pub brew called Wowzenbock. In this Strong Dark Ale, presence of Willamette hops are subtle against Vienna and Munich malts and Wheat. Aged in Spanish Rum barrels for 16 months gives this beer flavors and aromas of toasted caramel, sweet rum spice, tropical fruit, light coconut and banana esters and finishes with light oak tannins.
- Smoked Billy Bishop : A twist on the longstanding Barnstormer Favorite, Smoked Billy Bishop Brown Ale is Light to dark brown, but relatively clear if visible in light. The Smoked up Bishop has a moderate off-white to tan head.
- Fresh Fluff IPA : Fresh Fluff started out as our take on making a wet hop version of All Fluff. Hardly a new idea; sub out a hop in a flagship for a fresh version of its self while the rest of the hops in the beer stay the same. So we scrapped that idea. Fresh Fluff is made by subbing out all of the hops in All Fluff with fresh versions of themselves: fresh Citra in the whirlpool and fresh El Dorado in the dry hop! Soft and fluffy with deep layers of melon, grass, citrus, and tropical fruit. Smoothie beer at its freshest.
- The Saison Also Rises : This is our contribution to the Douglas County Library 2015 Brew Tour! The saison features black currant fruit and has the appearance of a ruby encrusted Diva. It's dry and sassy... and is wildly popular with the media so it's sure to fade into oblivion in the near future.
- Kaleidescope Eyes : A Blonde Ale double dry-hopped witih Summer and Amarillo hops. Grapefruit peel additions during fermentation.
- Marketplace : The brewers at Fieldwork take their favorite mix of malted barley and extract sugars from it for fermentation, producing a mild malt character with a pinch of sweetness that just barely clings to the drinker's lips. Next in this process they toss in a large amount of hops; El Dorado and Denali hops to be exact, but here's where the story doesn't take a turn at all. While brewing this new Pale Ale called "Marketplace," the brewers followed the same cellar-process that has made their IPA's better than tolerable since 2015; using a flavorful yeast and large dry-hopping to induce bountiful notes of tangerine, pineapple, and many of the other tropical fruits you'd find at the market. Now some final thoughts on this Pale Ale of sorts, let's do the numbers. ABV is clocking in at 5.9%, fairly high for a Pale Ale, but still remaining lower than your normal IPA and promisingly more drinkable. IBU's are lower than industry averages at only 20 international bittering units, which analysts think is what causes this Pale Ale to drink so fluffy and juice-like. Carbonation as well is lower than we have grown accustomed to with 2.40 units of Co2 in solution, keeping the hops soaking on your tongue. Speaking of hops, 3.75 pounds per barrel are used to saturate the aforementioned Pale Ale with notes of tropical fruit combinations that belong on cartons of juice in your local market.
- Barrel Aged Elderfrost : Dark ruby in color, this is a medium-bodied, malty ale that pairs well with the cold weather. Floral and slightly spicy aromas pair perfectly with the holiday season, and are complemented by caramel, burnt sugar, toffee, and dark fruit flavors and a slight roastiness. At 8% ABV, this winter ale finishes with a warming sensation that lingers into the next sip.
- Civil Disobedience #11 : Composed of Anna aged in barrels that previously held Mimosa, E., and Juicy, blended with Anna that was aged in barrels that previously held Civil Disobedience 3 and 5. Delicate, elegant, complex, and effervescent.
- Monkish / The Veil - Nighthawkz : Double dry-hopped double IPA brewed with passion fruit, apricot, vanilla and double dry-hopped with Citra, Galaxy and Bru-1. Brewed in collaboration with The Veil Brewing.
- Scratch Beer 7 - 2008 (Weizenbock) : Red and white wheat combined with darker malts add body to this hazy, unfiltered ale. Fermented with the same yeast as DreamWeaver Wheat replicating the pepper, clove and all-spice flavors found in our year-round beer. 
- The Feelin' I Forgot : West Coast American IPA - A crushable IPA hopped with Citra & Idaho 7. Loads of juicy tropical fruit, slightly dank and surprisingly smooth.
- Kuhnhenn Tangerine IPA : Cloudy amber in color India Pale Ale has tangerine and hop aroma on the nose. Dry and fruity, our Golden IPA has been blended post-fermentation with tangerine extract.
- Left Field 6-4-3 Double IPA : Named after baseball’s most common double play, 6-4-3 is anything but routine. This intensely bitter Double IPA will have you re-reading the Mitchell report to see if it’s on steroids. With a clean and simple malt base that allows the bright orange and grapefruit hop flavours and aromas to shine, 6-4-3 will have hop heads rushing to add it to their own personal highlight reel.
- Social IPA : Social IPA is a light-bodied, session ale punctuated by strong hop aromas of grapefruit & melon. This beer has a moderate, pleasing bitterness and a bright, refreshing finish.
- Kuhnhenn Dark Heathen Triple Bock : This Triple Bock is dark brown with ruby highlights. It is extremely rich and complex, with flavors of raisin, plum. There is a slight heat from alcohol and has low carbonation. It is full bodied, malty and sweet– you big beer lovers should try this beer.
- Doppelganger W/ Peach : For this version of Doppelganger, we added fresh peach to amplify the stonefruit characteristics of the base beer. The result is a beer that is super pleasant to drink and refreshing on a hot summer day, with an additional layer of fruity complexity, if that’s your thing.
- Mo' Kölsch : Mo' Kölsch uniquely uses Mosaic and Glacier hops instead of more traditional German hops. The berry and stone fruit like character of Mosaic and Glacier pairs very well with the very subtle fruit character of the Kolsch yeast making them an almost natural pairing. The effect is a very soft and fruity, yet clean and drinkable beer with great clarity and an unmistakably refreshing finish.
- IPA (Citra, Vic Secret, And Ella) : An aromatic juice fest hopped with Citra, Vic Secret, & Ella. Pungent aromas of tropical fruit, mandarine oranges + honey dew melons. Not a typical over the top extra-bitter IPA, focus is on aromatics.
- Stoneface Porter : Our robust porter utilizes a myriad of dark malts that impart coffee and chocolate notes. This roasty profile makes for a smooth and incredibly drinkable beer. Medium bodied, balanced and finishing slightly dry, our Porter is perfectly suited for enjoying multiple pints.
- Veridian IPA : A balanced American IPA. Smooth, light maltiness, with a touch of honey and granola. Hops are vibrant and bracing, yet light on the palate. Lemon peel, tropical fruit, and spruce dominate the bouquet.
- Brekeriet Pink Passion : Berliner Weisse with passionfruit and hibiscus.
- Entwife : An English Style Dark Mild brewed with malted rye. Robust with notes of toffee and freshly ground coffee beans, Entwife harkens back to older times and a rich agricultural heritage that has always been closely tied to the brewing process. A highly quaffable ale for bellying up to the bar on cold winter evening.
- Buoy Premium Bitter : Buoy Bitter is made from the second runnings of our massive Barleywine mash. Brewed in the historical Parti-Gyle method, we were able to produce two unique ales from one large and complex mash. Unlike its name, Bitter ale is very smooth and malt forward featuring a blend of two different British floor malted Maris Otter varieties. This sessionable ale is simple yet complex and features a beautiful expression of fresh baked bread and toast with mild floral undertones.
- Half Moon Stout : In 1609 Henry Hudson entered Penobscot Bay in the vessel the "Half Moon". Four hundred years later the Half Moon is back in Penobscot Bay! Based on an old porter recipe described as brave, proud, or "Stout". A one hour mash of pale, crystal, chocolate and wheat malts, and a large portion of roasted barley yield this dark, full-bodied stout with a heavy aroma of fresh roasted coffee. The mild Fuggles hops balances the bitterness.
- Black “Eye” PA : Hard hitting, with a big citrus punch, this black IPA was created to honor our local roller derby teams. Midnight Wheat Malt is the star of this ale, imparting its dark colors with a combination of light roast flavor. Falconer’s Flight hops give this ale a big citrus flavor with mid to late, and dry hop additions. American yeast leaves this beer with a clean, crisp finish.
- Cheers Four Years : Four more years! Four more years! Bike Dog turns four years old this year. To celebrate the occasion, we brewed this N.E. Style Anniversary IPA, a cloudy gold haze bomb that smells like grapefruit and pine and tastes like the ambrosia of Greek mythology (more specifically, it tastes like orange peel and fresh berries with lingering pine resin bitterness, but six of one).
- Jazz Chickens : Bready malt, moderate acidity, slight Brettanomyces funk. Grapefruit pith, melon, stone fruit, strawberries.
- Milkshake IPA - Tangerine Dream : Tangerine Dream Milkshake IPA is our latest psychedelic riff on THE boundary-pushing Culinary IPA series. Brewed with gobs of oats and lactose sugar. Conditioned atop heaps of luscious Madagascar vanilla beans and fresh and pungent mixed citrus purée (kalamansi, grapefruit, and Mandarin orange). Intensely hopped with Mosaic and Citra. Big notes of orange creamsicle, sticky marshmallow, fresh pressed grapefruit juice, and blueberry sorbetto. It's all so strange strange strange and it keeps getting weirder =). Dreamt up with our sweet angel life mates at Omnipollo.
- Free The Hops : Showcasing some of the biggest and best US and NZ hops, this is an IPA you can enjoy all day. With strong aromas of mango, grapefruit and lychee, and a slight sweetness from the toffee malt to balance it's firm bitterness. Made specially for the "Free The Hops" craft beer festival.
- The Toques Of Hazzard White Imperial IPA : An Imperial IPA made with wheat to keep the beer light bodied and a hazy white. Big hop flavours and aromas of tropical fruit and gooseberries from the Citra and Nelson Sauvin hops.
- Secret Track : Secret Track is a draft only treat that brings old and new world influences together. It is a delicate and funky little crusher produced with a traditional Belgian step mash of wheat and pilsner malt. It is hopped exclusively with Motueka (previously known as B Saaz). We taste traditional farmhouse character of black pepper and juicy fruit, with enticing resinous hop tones of strawberry, lime pith, and sherbet. Not exactly tart, but on the edge of tartness.
- Santa Fe Stout : A hearty sip of the Santa Fe Stout delights one’s taste buds first with a generous Irish serving of roast malt that rolls off the tongue with a creamy bitterness reminiscent of the finest coffee. Supported by the strong, complex, yet light body only possible with a good Irish yeast strain, this coffee-like creaminess eventually yields to the warmth of a subtle variety of hops, and their mild, full flavor. A favorite with regular customers, this rare brew can occasionally be found on draft at restaurants in Santa Fe, but is more likely on tap at the Brewery's tasting room. Despite its intimidating dark color, this brew has an uncanny ability to convert those who claim not to like beer. The balance of flavors and complexity of aroma are recognized and appreciated by all who taste this fine brew.
- Lemon Dream : A shimmering golden ale that is brewed using organic lemons which adds beautifully subtle zesty aromas and a citrus filled fruity finish.
- ESB : An American version of the English Extra Special Bitter. A dark copper colored ale with a medium body, which is dominated by hop bitterness and flavor.
- Hannenberg Pils : A tribute to the German style of pilsner. A clear pale golden blonde body, almost fruity malts and pointly refined hops. Balanced and very drinkable Pils with great flavor.
- Alt : Dark tan color, forward malt aromas with a touch of chocolate, medium malt body and a very clean, crisp finish with a firm hop bitterness
- The Big DIPL : This 9% lagered behemoth is brewed with Galaxy, Simcoe, and something called Summer hops. The lattermost are predominantly (exclusively?) Australian-grown and rather low in bittering alpha acids. They're known for giving apricot and melon flavors and aromas, and, while they may not prove as pungent as tropical Galaxy and piney Simcoe, throughout this they seem to offer some highly endearing secondary notes of cantaloupe and stone fruit.
- End Boss : This triple has been brewed with a Belgian yeast (a fruitier Belgian yeast than Belgian Gothic), and fermented this pup at a higher than usual temp for optimal yeast character. Then we topped this off with some Amarillo hops. It's seriously next level. Do you have what it takes to take on the End Boss?
- Mosaic & Idaho 7 IPA : This limited release series beer is part of our Hop-Centric San Diego series, featuring punch tropical fruit flavors and intense notes of citrus and resinous pine. This IPA is a drinkable display of two bold hops.
- Booming Rollers : Booming Rollers is a showcase for the juicy awesomeness of Citra hops. These new wave American hops impart a remarkable aroma and flavor, which we've amplified with the dark stone fruit character of New Zealand-grown Motueka hops. Some Centennial is thrown in to balance the tropical fruit party, and the malt body is just assertive enough to support Booming Rollers' snappy bitterness. It's a party in your mouth and all the beautiful people are invited.
- Atomic Reactor : A fabulous deep golden coloured fruity ale with a wonderfully warm spicy flavour.
- Ground Hog : A dark chestnut Bitter, stacks of taste, hoppy with a dry finish
- Saison De Brettaville : Brettanomyces, the wild yeast also known as "Brett," brings out a wide range of flavors and aromas in beer, from exotic fruits to earthy funk. We added a dozen different Brett strains to our dry-hopped Saison Dolores, then aged it in white wine barrels for several months. The result is an intricate farmhouse ale with the kind of nuance and depth that only Brett can create. Serve alongside soft funky cheeses or as a tangy counterpoint to rich charcuterie.
- Rosée D'Hibiscus : Rosée D’Hibiscus is a delicate wheat beer with a floral and lightly acidic character. Its beautiful pink colour comes from the hibiscus flowers used in the brewing process. A perfumed aroma invokes fresh pink grapefruit and the pleasing texture persists nicely. A refreshing, quenching ale perfect for hot summer days & nights.
- Brew And Destroy : Collaboration with Hof ten Dormaal for PBW. Belgian dark strong aged in oak barrels, with blueberries and wild yeast.
- Spectral - Chai : Inspired by Chai tea, Spectral introduces a plethora of Indian spices into a Belgian stout. Floral cardamom, spicy ginger and sweet vanilla build on flavors of dark chocolate and caramel to showcase a unique complexity.
- Cloud Nine : The new Nine Network beer, created by a group of passionate Nine Network members, is a 5.5% American Pale Ale that combines raspberry, lime and vanilla to produce the sensory illusion of a grapefruit creamsicle.
- Beatitude Boysenberry Bourbon Barrel Aged Tart Saison : Beatitude Boysenberry Imperial Tart Saison is a delicious and deceivingly easy to drink but complex beer with a tart fruity and bourbon aroma, a boysenberry jam mid-palate, and an oaky, vanilla finish. This beer was inspired through our Employee R&D program when our beertender, Candice, aged her favorite fruit, boysenberries, along with toasted American oak in the base beer of Beatitude. We only made 5 gallons of this R&D keg and it didn’t last long. The flavor combination complimented the tart Beatitude base beer perfectly and as soon as Liz tasted it, she knew she wanted to build off Candi’s idea and Imperial Beatitude Boysenberry was born.
- Vanilla Tree Dubbel : Vanilla Tree is a Belgian-style dubbel brewed with a variety of dark crystal malts and dark Belgian candi syrup. After fermentation, the beer is aged on whole vanilla beans and toasted oak chips. The result is a wonderfully smooth, malty ale with notes of dark fruit, spice, and (naturally) vanilla and oak!
- Stout : This approachable dark stout will end any misconceptions you may have of a classic dark beer. Despite it’s low ABV this beer is packed with chocolate and roasted characters that will almost certainly take you to the dark side.
- My Wee Scottish Light Ale : "Lightly reddish-tan in color and sporting a tightly latticed head of snow-white foam, Baird My Wee Scottish Light Ale is a perfect warm weather libation. It manages to be both satisfyingly quenching and pleasurably satiating. The aroma is a sweetly malty one with bready and biscuity notes that are leavened by a soft and spritely fruitiness. In the mouth, flavors reminscent of toffee, nuts and corn bread that is smattered with honey predominate. The finish is vanishingly sweet. At a mere 3.0% ABV, My Wee Scottish Light Ale is the ultimate session beer."
- Big Slick Stout : This Oatmeal Stout has copious amounts of dark and sweet malt give our stout aromas of coffee and a rich mouthfeel with a dry finish.
- Alligator Ale : Our Alligator Ale is a rich mahogany colored ale with a surprisingly smooth finish. This beer is perfectly balanced with flavors of dark malts and hops.
- Glycerin: Pink Guava and Red Currant : Double fruit sour DIPA with raw wheat, malted oat, milk sugar, pink guava and red currants. Hopped with Mosaic
- Stalagmite : Stalagmite is one of two beers brewed in collaboration with the Alstom Brothers of BeerAdvocate for the 2014 Extreme Beer Festival. Both beers were brewed with the same base Schwarzbier recipe, Mesquite Powder, and Calcium Carbonate treated water to infuse minerally-goodness into each beer. Calcium Carbonate is the primary mineral in the composition of Stalactites and Stalagmites, formed over thousands of years as water filters through the earth and drips into caves below the ground. Calcium Carbonate also can be used in brewing to harden water, which ultimately brings out hop character and helps make a clean crisp brew. Stalagmite was brewed with Dutch caramel syrup to bump fermentable sugars in order to boost ABV. While adding subtle caramel notes, this syrup also lightens up the body of the beer (as all of the sugars are fermentable) and lets the Mesquite Powder come forward in the flavor. Mesquite Powder is made from ground up pods of the Mesquite Tree, and adds a nutty hazelnut like sweetness to this unique black lager.
- Abbaye Du Chen : This small batch rendition of a darkening Belgian-style abbey ale was brewed with coriander and partially aged in bourbon barrels.
- TropiCannon Citrus IPA : Our brand new citrus IPA is exploding with bright citrus aroma and flavor. Creating an exciting new variation on our flagship Loose Cannon, TropiCannon clocks in at the same 7.25%ABV as its cousin, but packs a full blast of blood orange, grapefruit, mango and lemon flavor. We've downplayed some of Loose Cannon's piney-ness and amped up the citrus by swapping Centennial and Palisade hops for Amarillo and even more Simcoe. We've introduced dried grapefruit, orange and lemon peel in the brewing process and added mango, blood orange and more grapefruit post-fermentation.
- El Torero Organic IPA : "A Northwest IPA made from all organic grain. It is bursting with hops from the big floral aroma to the deep, lingering bitterness. Balancing out the hops is a malt bill with generous amount of crystal, Munich, and wheat malts, plus an alcohol content just over 7%. This is an organic beer with big flavors that combine in a complex, satisfying brew."
- Samurai Ale : Samurai is the perfect beer for your zen garden after battle, or your patio after a long day of work. The addition of rice gives a slightly fruity, crisp, refreshing element to this hazy unfiltered ale, creating a light, easy-going beer suitable for the peaceful warrior. This may be your first Samurai, but it certainly won’t be your last.
- Space Aged Bachelor Pad Danish Modern Cocktail Party : What happens at the Space Aged Danish Modern Bachelor Pad Cocktail Party stays at the Space Aged Danish Modern Bachelor Pad Cocktail Party, unless what happens at the Space Aged Danish Modern Bachelor Pad Cocktail Party is someone asking what the Space Aged Danish Modern Bachelor Pad Cocktail Party is all about. Then, in that case, we'll just tell you that the Space Aged Danish Modern Bachelor Pad Cocktail Party is a golden ale where the yeast is the star. Fermented at a high temp, we were very pleased with all of the fruit notes that came out to party in this (one more time!) Space Aged Danish Modern Bachelor Pad Cocktail Party!
- Belgian White IPA : A spice, spritzy Belgian Wit hopped with Simcoe, Citra & Mosaic. On the nose, aromas of orange and coriander invite you but delivers a hoppy punch of grapefruit and citrus. Aftertaste is slightly bitter and dry.
- Catnip Belgian XPA : A super pale, single malt (Best Malz Pilsner), single hop (Chinook) I.P.A. inspired by the effect of catnip on our brewery cat, Fuggle. If only beer could make us that happy… Catnip is our best shot - a light-colored, deceptively strong and hoppy beer with grapefruit and pine hop flavors and a refreshing tartness and ‘funk’ from our Belgian Wit yeast.
- What the Fruit? : This IPA contains no fruit or Juice! For this round we went with the combined ale strains from the defunct Whitbred Brewery in England. Together, they dry the beer out while retaining a soft round mouthfeel providing a light tart citrus character of their own. El Dorado and Topaz hops' tropical, petrol and candy characters bring up the beers brightness. It’s all held together with Copeland pils malt, flaked wheat and barley and a pinch of Caramunich2. Although there is no fruit used in this hoppy beer as usual, it will have you saying What the Fruit?
- Voodoo Love Child : This is our Belgian Style Trippel aged on intimate fruits of Passion Fruit, Raspberry and Cherry. Lightly spiced with corriander and curqua orange peel and other spices of passion. Light Reddish hue and with a alcohol strength of 10.5% and nicely carbonated in the bottle.
- Kyuri Dragon : A refreshing, bright, tropical collaboration handcrafted with top Chef Brooke Williamson, featuring our oak-aged sour blonde ale with cucumbers, dragon fruit, rambutan, kaffir lime leaf and lychee.
- Molly Pitcher Stout : This is our take on a dry Irish stout. Its is served on nitrogen, which gives it a thick creamy head on every glass. It's dark and malty with notes of coffee and chocolate.
- Afterimage : Juicy, Hazy orange, soft carbonation, plush fruity aromas. Immense mango, marmalade, pine, honeysuckle, and lemon flavors. Smack dab in between Lambo and Tesseract on the sweet-to-dry spectrum. Just a hint of bitterness.
- Integral IPA : Breathe deep: Integral IPA is all about big, complex hop aromas. A refined, dry body serves as the golden-hued canvas for layers of hop character - think overripe pineapple and melon. You can thank HOPZOOKA® and hop-bursting for that.
- NBD Kölsch : Another great German style beer. It has become a customer favorite! NBD (No Big Deal) is clean and easy drinking. Some bready malt flavor goes right along with the slightly fruity aromas from the Calypso hops.
- Trafalgar Red Hill Mild : Mild ales were the backbone of nourishment for the English working class prior to the turn of the century. Trafalgar’s mild demonstrates that a light beer can be rich in malt flavour while being low in alcohol. This excellent, all-day summmer ale is a wonderful compliment to vegetable dishes and darker poultry such as turkey or duck.
- Wheat Beer : Notes of wheat, fruit, spice and very lightly hopped.
- Lost & Found Abbey Ale : Modeled after the great Trappist and Monastic beers that inspired the founding of our brewery. A richly deep garnet colored ale created from a blend of Domestic and imported malts. As part of our commitment to interesting brewing endeavors, Chef Vince created a special raisin puree for this beer. Malts, raisins and a fantastic yeast strain working in harmony produce a beer of amazing complexity and depth.
- Charlie's Oatmeal Stout : We've done a few stouts but never an Oatmeal stout. Oatmeal, chocolate malt, and roasted barley create a silky mouth feel on this deliciously dark beer. It goes great with breakfast, lunch or dinner.
- Summer Session : This easy-going 3.9% NEIPA is perfect for cracking a cold one (or two) while taking in a beautiful New England summer day. Bursting with all the aroma and flavor Galaxy hops have to offer: bright citrus with distinct notes of passion fruit and hints of pineapple, finishing with nice peach undertones. Raise a glass of summer, cheers!
- Heroes And Villains Brett IPA : Aged for 8 months in spent local wine barrels (Hat Ranch/Vale) and inoculated with Brettanomyces Bruxellensis and Lambicus, dosed with locally grown white grapes pressed by hand, and subsequently dry-hopped in the barrel with Citra hops. This elegant ale is brimming with soft, tropical fruit aroma and flavor, a touch of acidity and funk, subtle earthiness and a clean finish.
- Blitzkriek : A Flemish Red Ale aged in a California Pinot Noir barrel on tart cherries. Notes of vanilla, dark fruit and oak.
- 16th & F : The latest addition to our 16th & F series is a Farmhouse/Saison style ale brewed in a radical fashion. It is a simple recipe that only includes Pilsner Malt and Hallertau Hops. The complexity of the beer comes from the yeast and fermentation process. Fermented at 95+ degrees, the yeast went ballistic in on the sugars. Dryness from the yeast attenuation is accented by a high carbonation level, adding to the refreshing properties. The aroma includes the classic white pepper and wine notes we enjoy so much in classic saisons, such as DuPont.
- Bouquet #1- Wild Violet : The First Edition of our 12 part Floral Farmhouse series, brewed with Wild Violets foraged from our farm & the surrounding area. Aroma of red wine & bright lemon yeast transition into a sharp & tart floral lemonade & stonefruit skin flavor that is quickly carried away by a champagne-like finish.
- Map 40 : Map40 is a Belgian-style stout blended with cold brew coffee. Black in body with a tan, reddish-tinged head, this beer’s aroma is strong in coffee and light in roasted grain. Brewed with dark chocolate malt, chocolate malt, roasted barley, and brown malt. A light nuttiness accompanies tastes of chocolate, raisin, and a resounding coffee note that weaves its way throughout. This is a rich, creamy, stout with a warming hint of alcohol in its clean finish.
- Problem Child : Dark kettle sour
- Habitual IPA : Say hello to one of our baddest habits. Habitual IPA features abundant additions of dank, resinous, lupulin packed hops that first hit your nose with tropical fruits and pungent piney notes, then smacks your tongue with intense hop flavor. This bad habit ends with a balanced bitter finish and luscious fluffy head. Gently propped up with 2 row malted barley.
- Russian Imperial Stout : Originally brewed in London England, pre-WW1 for export to St. Petersburg in Russia. A combination of roasted barley, chocolate and black barley gives this beer a rich complex malty flavour.
- Cold War Imperial Red Ale : "This imperious brew is magnificently complex and multi-faceted. While being big, strong and ominous, it also manages to be delicate, nuanced and effervescent. The malt bill is a combination of rich English varieties such as Maris Otter Pale Ale and Caramel, and lighter German types such as Pilsner and Munich. Additions of Japanese candy sugar further lighten the body, strengthen the alcohol content and lend a wonderful Belgian-like quality to the brew. The wonderfully aromatic character stems primarily from aroma- and dry-hopping with American varieties Glacier and Cascade. Who knows, but if the Kremlin had its citizens drinking this rather than vodka, the plight of the Cold War may have been quite different!"
- Centennial IPA : Centennial IPA is 100% Centennial and is full of sweet fruit and citrus character.
- Aunt Sally : A Unique Dry-Hopped Sweet Tart Sour Mash Ale. We soured the wort on the Hot Side with Lactobacillus for a few days and then brewed up this smooth and hoppy sour. It tastes like a big bowl of fruity candy or some chewable flavored vitamins, but what's the difference? It's sweet, tart, and sassy, just like the tasty cherry pie that your favorite aunt makes. For all the Aunt Sally's out there, You know who you are...
- County Line IPA : Our search for a location to start this brewery took us across much of Lower Bucks County, many times traveling down the well known divider between northern Philadelphia, southern Bucks, and Montgomery counties, County Line Road. One of the original names we thought of for the brewery was that of County Line Brewing. We don’t know how or why we didn’t settle on that name, but in recognition of our location so close to Philadelphia and that potential namesake, we decided to pass the name on to our flagship IPA which comes in at 6.6% ABV and is chock full of Warrior, Chinook, Columbus, Simcoe, and Centennial hops. It’s got a bready malt backbone to counter some of that hop bitterness, but not so much that this five hop combination won’t put a smile on your face. Dry hopped for nearly two weeks, County Line IPA has a lingering hop bitterness showing a complexity of resinous pine notes, citrusy lemon, and grapefruit that many IPAs on the East Coast lack.
- Weizenbock Grande Cuvée : A dark wheat beer, hearty and top-fermented, inspired by the style traditionally brewed in Munich, Germany. This Weizenbock will seduce you with its lush flavors reminiscent of candied fruits, banana, and maple syrup.
- Shiner Ryes & Shine : Medium-bodied, dark brown lager brewed with rye malt and chocolate rye from Germany, caramel malt and three hop varieties.
- Only Void - Retrospective : Retrospective Only Void is a compilation of all of the Only Void variants we have featured over the last year. Refermented with a puree of blackberry and raspberry, and conditioned on smoky Lapsang Souchong tea and Madagascar vanilla beans. Notes of raspberry tort, distant campfire, comforting vanilla, dark rye bread and espresso.
- Knuckle Dragger : A Belgian style stout. Full bodied and rich, this stout is inspired by the dark confections of Belgium. Over the years, this has also been fermented with our house ale yeast. The 2009 version will be a Belgian-style Milk Stout.
- Snow Hole : A Snowhole is someone who loves a brutal winter. Our Double Red, with its malty notes of caramel and dark sugar, is complemented perfectly by intense citrus and spicy hops. 6 different hops, 8 hop additions, over 3.5 pounds of hops per barrel, 8.5% ABV and 85 IBUs make for a winter brew that can stand up to any storm.
- Imperial Coffee Stout : Imperial Coffee Stout is like a double shot of espresso dropped into a Turkish coffee and poured into an IV and pumping it directly into your veins. English ale yeast and the finest chocolate roast and brown specialty malts give this beer its foundation. We have topped it off with a Guatemalan Finca de Bolsa, a nice dark and rich bean to hold its own in this thick rich stout, at 8.6%, you can practically chew it.
- Barley Wine : Voor de wintermaanden hebben wij een bijzondere Barley Wine gebrouwen. Dit donkere bier met maar liefst 10% alcohol hebben we extra lang gerijpt hebben om de smaken goed te laten ontwikkelen. Tijdens het rijpen hebben we ook snippers eikenhout aan de tank toegevoegd, wat samen met de mouten en hop een heerlijk vol en complex karakter geeft. Zorg dat je lekker zit en langzaam drinkt om echt van deze Barley Wine te genieten.
- Riptide India Pale Lager : Who said lagers couldn’t have fun with hops too? This Northeast style hoppy lager complements a light malt profile with a blend of American and German hops. Aromas of tangerine and pine preface hop flavours of stone fruits and citrus. This is our India Pale Lager.
- Space Fruit Pale Ale : Designed to introduce both hop-heads and those who don’t know they’re hop fans yet to a mildly bitter, yet still hop forward beer using Galaxy (Space) and Citra (Fruit) hops.
- HOPness Monster : Brewed with an abundance of fresh Citra and Cascade, this IPA boasts a big biting hop profile layered with ripe tropical fruit, juicy citrus, and pine.
- Shutdown India Brown : Take some time off from your busy schedule, whether you want to or not, and enjoy this malty, super hoppy, and complex brown ale that is dry-hopped with Simcoe. At $6 a pint it won't push you off the fiscal cliff.
- Oktoberfest : Our Oktoberfest is a traditional German Märzen style beer. It is dark copper in color with a full-bodied, rich, malty flavor and a mild hints of hops.
- Special Reserve : A wood-aged barley wine specialty beer that has gone through 3 fermentations and matured on various types of oak for years adding a uniqueness and complexity to the beer. Toffee and caramel on the nose, fruity notes, treacle and spice, toffee bitterness, big roasty, smoky finish with peppery hops. Elegant!
- Berlinerweiss : This German wheat beer is very pale with a white foamy head, light body & low bitterness, an intense sparkle and fruity acidity. It’s light body and flavour makes it a great thirst quenching beer.
- Ölands Gammaldags Enbärsdricka : Enbärsdricka (juniper berry drink), is a traditional Swedish table drink. Nowadays it is made as a soft drink with malt- and juniper berry flavouring, but the micro brewery Ölands Gårdsbryggeri is making it the old fashioned way: A dark weak beer with juniper berries.
- Baltic Porter : The Duck-Rabbit Baltic Porter is deep, rich and velvety soft. A full blooded roasty character with almost no burnt flavor is balanced by complex alcohol notes. Strong (9% alcohol by volume) yet unfailingly subtle, this special brew rewards unhurried attention. Enjoy!
- Minnehahop : Minnehahop IPA appeals to hop heads and light IPA drinkers alike. Fresh and citrusy, aromas of pineapple, lemon, lime, passion fruit and mango, with just a touch of caramel sweetness to finish. At only 5.5% ABV, this new breed of IPA differs from its forebears in more meaningful ways.
- Avenue A Amber : Avenue A Amber is a well-balanced ale. Amber ales, known as red ales in some regions, are part of the pale ale family of beer styles. Ambers tend to have a darker, richer color and feature more caramel flavors, more body, and a better balance between malt and bitterness.
- Lucybelle : A brilliant and calming sunset; the eternal ebb and flow of waves crashing on the beach; a dog’s smile-all of these the simple complexities of a life lived well. We constructed Lucybelle, a straightforward saison with Brettanomyces, to complement life’s little pleasures. Crisp, dry, and doggone refreshing, we hope Lucybelle reminds you to slow down, relax, and take in the mystery and beauty of being. Sante!
- Bretta Livin’ - Raspberry : A tart, tangy, true lacto soured, brettanomyces fermented ale, with raspberry added as a puree late in fermentation, meaning great fruity taste and aroma without residual sugar sweetness. No hops! And keeping it simple, there’s only one malt in the grain bill, Vienna, providing a distinctive toasty, biscuit malt aroma and flavor.
- Kunzel Schwarzbier : A German dark lager with an opaque, black color, and a full, chocolaty flavor. A rich blend of caramel & chocolate malts creates a malty, sweet flavor with moderate to low hop character.
- Church-Key West Coast Pale Ale : West Coast Pale Ale is our interpretation of a double hoppy American Pale Ale. Indian Pale Ales – IPA’s were first made as robust Ale for export from Britain by Ship to India dating from 1835, in order that the beer kept well additional hops (a natural preservative) were added to the brewing ingredients. American Pale Ale – APA ‘s date from the 1980s and generally use stronger fruitier hops. We mash using Canadian two row barley and brew with a very liberal helping of Chinook hops at beginning middle and end to create this youthful contemporary aromatic and bitter ale.
- Vindication : This isn't a wine but in many ways we treat it like a rich red. Drink at cellar temperature and enjoy in a tulip shaped glass. The rich malty flavours will be apparent in the nose and the flavour is complex; toffee is predominant. This one will get better over time, so get a few extra for the cellar.
- You People : Juicy, Grapefruit, Fruit Loops, Moderate Bitterness, Dry. IPA w/ Oats.
- Black & Blue : Black & Blue is a Belgian-style golden ale fermented with blackberries and blueberries. Because we dose Black & Blue with real berries -- rather than artificial flavoring -- the fruit comes through in the flavor, not just the aroma.
- Bourbon Barrel Stout : Goodwood Bourbon Barrel Stout is an homage to Kentucky’s proud distilling legacy – brewed with the same limestone water as its namesake whiskey and patiently seasoned in bourbon barrels. This silky American stout has notes of oak, dark roasted malts and, of course, bourbon. Roasted barley produces chocolate and coffee flavors with a lasting vanilla finish.
- The Dove : Brewed to grasp the final days of summer, this very refreshing and lively English ale has a nose of fresh bread and faint fruit, with a crisp, light body and clean finish.
- Burgeon / Automatic - Fruitology : Fruitology is a gose brewed with peach, apricot, and San Diego sea salt. Brewed in collaboration with Automatic Brewing Co.
- Breakside Wit : "Our flagship Belgian-style beer, this ale is meant to embody the Breakside spirit in a glass. It's the kind of beer you want to enjoy when you kick back in the sun (or rain), relax with friends, and take a break. Very pale straw with a yeast-driven haze and moderate carbonation. Good ring of head. Aroma is a complex mix of spice (coriander dominates), yeast driven phenols (the 'band aid' aroma), and light grain. On the tongue, the beer is dry and spritzy with a nice chamomile flavor mid palate, some light tartness up front (from the wheat), and a mildly grassy hop finish. There's a lingering bitterness that differentiates our version from many examples of the style. Mild grain flavors and light hints of orange peel as well. Very light bodied, refreshing, dry and easy drinking."
- Dark Town Brown : One sip of our unique brown ale… let’s your soul shine. Look for mellow malty flavors like slightly roasted graham cracker with a mild chocolate aroma. While having a light head and medium carbonation, this rich ale will have any drinker enjoying a taste of the Dark Side.
- Gordon Biersch Winter Bock : In the 11th century, Belgian monks sustained themselves during winter fasts with beers made from strong, dark flavored malts. These creamy books ensured that the monks would fast frequently.
- Tweeds Tavern Stout : Named after the historic Tweeds Tavern, one of the earliest breweries in Delaware, Tweeds Tavern Stout is an American stout fashioned in the Pacific Northwest style. It features a complex blend of the freshest American ingredients including black roasted barley, black malt, rolled oats, red wheat with Cascade and Galena hops. Our stout is mellow and mild with pleasant, roasted coffee and chocolate elegance and smoothly balanced body. It produces a thick, rich, foamy, mocha head that clings to the glass. People who say they don’t like dark beers are surprised once they taste our stout and experience for themselves how delicious and drinkable it is.
- Blackberry Ale : A great summer fruit beer, with 168 pounds of blackberry puree added to a light ale base. The blackberries add a distinct purple haze, and hopping is light to allow the berries to be the featured flavor.
- Now & Then : Now & Then India Pale Ale pulls back the bead curtain on a fully fogged, Del Monte fruit cocktail resin blend only found in the cold case, past the bulk bins. Citra, Comet and Simcoe seep through an English strain for a holistic, integrated, personal mega-smudge.
- Passion Dome : Dry-hopped sour ale brewed with passionfruit and conditioned in oak.
- (512) Wit : Made in the style of the Belgian wheat beers that are so refreshing, (512) Wit is a hazy ale spiced with coriander and domestic grapefruit peel. 50% US Organic 2-row malted barley and 50% US unmalted wheat and oats make this a light, crisp ale well suited for any occasion.
- Bourbon-aged Jolly Roger Imperial Stout : Jolly Roger himself blessed this big stout. This massive stout has a huge roasted maltiness with complex smokey chocolate flavors coming through strong thanks to the gentle hand pump and correct cellar temperature. Aged in Bourbon barrels!
- Nut Brown Ale : A full bodied, polished, suprisingly refreshing dark ale with a wealth of taste sensations roused by roasted malts with hints of chocolate and espresso flavours.
- American Harvest Pale Ale : Brewed with pale malts and Australian Galaxy hops, this American Pale Ale has aromas of crackery malt and tropical fruit. Moderate bitterness.
- Glaslyn Ale (Cwrw Glaslyn) : A golden coloured fruity best bitter with a well balanced hoppy finish.
- Dimensional Being : Fluid ever changing IPA series featuring various fresh fruit purée and citrus fruit forward hopping. Typical examples include Grapefruit, Pink Guava, Passion Fruit, Mango, and more
- Just Say Go Black Belgian Tripel : When Hardcore Punk Metal band Iron Reagan and Strangeways Brewing got to collaborating, two core ideas were immediately at war: wanting to brew a favorite style, the Belgian Tripel, while at the same time desiring to make a dark-as-night ale to pay homage to metal music. Peace was partially restored when we realized we could brew a Belgian Black Tripel. Jelly beans were added to enhance the insanity while at the same time keeping with the essence of the band’s name. Finally, months of aging in oak barrels bring it all back to earth. Now…don’t be a Nancy, and Just Say Go!
- BA Mongo : We took our Mongo Barleywine and aged it in Brandy Barrels for almost a year. The result, a malt forward ale with intense fruits, caramel, and toffee notes.
- Ultrastout : "Whoa, this one is huge! Mass quantities of richly caramelized and roasted malts create a deep and dark flavor profile. Our Kölsch yeast adds a superb roundness."
- Candeot : Dark colour, autumn fragrances of malt and hops, full-bodied.
- Pot & Kettle Oatmeal Porter with Cold Brewed Coffee : Pot and Kettle with Cold Brew is just one of our many inspired collaborations with Barrington Coffee Roasting Company. With decades of experience hand-selecting and roasting single origin beans from across the world, cold brewed Barrington coffees provide the perfect addition to our signature oatmeal porter. Like a fresh pull of espresso, Coffee Pot & Kettle pours a dark, almost black color with a dense, sepia brown head. Aromas of fresh brewed coffee, nutty cocoa, dark fruits, burnt-caramel, and subtle vanilla waft out of the glass. Moderate in body with medium carbonation; Deep, roasty flavors of cacao, earthy-coffee, mocha, toffee, and dark malt sweep over the palate with an oatmeal-based creaminess and gentle bitterness. To fully explore the wide range of unique aromas and flavors derived from the diverse array of coffees available, we continuously experiment with varying Barrington roasts and blends with each batch of Pot & Kettle with Cold Brew.
- Edge of the Universe : Edge of the Universe is an 8% DDH Imperial IPA hopped endlessly and entirely with Galaxy. This beer uses the very recently delivered 2018 crop of the freshest Galaxy. Notes of drippy passion fruit and apricot.
- Mornin' Sunshine! : This dry hopped version of our Baked Blonde Ale is a ray of sunshine for our winter days. The New Zealand dry hops bring flavors of sun brewed sweet tea with peaches and orange, but the malty base of the beer leaves a soft bready finish. Low bitterness and ABV lend drinkability while the flavorful dry hop adds layers of subtle complexity.
- Curation : A plum sour blending mature barrel-fermented pale sour beer re-fermented on plum puree. Juicy stonefruit, oak, acidity, and funk.
- Brown Ale : Our Brown Ale provides a pleasing malt aroma and flavor. U.S. 2-row and English chocolate malt provide notes of caramel, toffee, smoke and slight roast in a complex profile. Medium to light bodied, the sweetness is cut with U.S. Palasade and German Tettnanger hops.
- Deft Hand : Deft Hand is our dark sour beer aged in oak barrels with orange peel and cinnamon. This dark sour showcases flavors of cacao nibs and dark chocolate with undertones of orange zest and a mild cinnamon spice. We love being able to explore different combinations of ingredients in our sour beers and are excited show how subtle hints of orange and cinnamon brighten the flavors and aromas found in our dark sour.
- Barrel Harbor Black I.P.A. : Our Black IPA is made using three specialty malts: Victory malt, Crystal 60 and Midnight Wheat. The Midnight Wheat leaves the beer as black as night but with only subtle nuances of roasted flavor without the astringency of other dark malts leaving it with a smooth body and creamy light brown head. It’s like liquid chocolate! Single hopped with Simcoe, this IPA has a very desirable aroma and just might be your new favorite in the Harbor.
- Grapefruit Explosions : Massive amounts of fresh grapefruit blended with our house wild ale.
- Hop Head Black India Pale Ale : Hop Head Black IPA is dark brown / black in colour, delivering an aroma of roasted malt tones. With five different varieties of superior hops and six malts, Hop Head Black IPA brings out a malt forward taste with a lingering hop bitterness.
- Ghost Of Imogene : A hauntingly delicious Russian Imperial Stout named after Imogene Remus who was murdered by her bootlegger husband, George Remus, in nearby Eden Park. This rich, thick-bodied, malty blend of dark chocolate and burnt sugar flavors has tons of roast and noticeable alcohol warmth that’s good enough to raise the dead!
- Small Town Saison : This beer is dedicated to every notion of the small town feeling. The saison style was originally crafted by Belgian farm estates as a way for their workers to indulge in delicious beer without having to travel too far away. Taking its roots from the strong sense of community, our Belgian style saison represents all of the people and places that have influences on our brewery. Small Town is refreshingly approachable, yet so complex, just like those surrounding us. So to all those who change by not changing at all, let Small Town be a part of your fate.
- True Blue Lager : "True Blue Lager is a rich, golden, full-bodied, traditional bohemian pilsner with a distinctive hop bitterness and aroma. We use two Weyermann malts, produced in southern Germany near the birthplace of pilsner beer to give the brew its complex malt flavor and golden color. We use Czech Saaz and German Northern Brewer hops in the kettle to give the brew a distinctively clean bitterness to offset the full-bodied sweetness of the malts. We add a touch of honey to the kettle just to spike the interest of the yeast. We maintain the brew at a temperature of -1°C in the fermentation tank for a month to let the lager yeast produce a clean, bright fragrance and flavor distinctive of the style. The carbonation is 100% natural to produce a smooth creaminess that is refreshing no matter how many glasses you have. True Blue Lager should be consumed at 10°C to enjoy the optimum balance of flavor and hop bitterness. True Blue Lager starts at a specific gravity of 1.050 and finishes below 1.010 with an alcohol content by volume (ABV) of about 5%."
- True Blue Pale Ale : "True Blue Pale Ale is probably more like what British drinkers would call a bitter than a pale ale. But we aim to provide a light, drinkable brew that can be enjoyed glass after glass without bloating your belly or slurring your speech. We use a combination of British pale malt, crystal malt, un-malted barley, and a touch of honey to create a complex malt flavor and mouth feel. In the brewing kettle we use Goldings and Fuggles hops to give our ale a classical British flavor and aroma. In the fermenter we maintain a temperature of 20°C until the ale yeast has completed conversion of all fermentable materials and retires to the bottom of the cone. Then the temperature is slowly lowered to near freezing to brighten the brew before packaging. This ale should be consumed at about 12 to 14°C to taste the subtle hop and malt flavors. True Blue Pale starts at a specific gravity of 1.055 and finishes at about 1.012 with an alcohol content of about 5% by volume (ABV)."
- Coffee Oatmeal Stout : Big coffee flavors dominate early only to be wiped out by an enormous about of Willamette hop flavors. One of GPBC’s most requested beers. Complex and full of flavor yet amazingly sessionable. Brewed with coffee from Octane Coffee Roasters here in Birmingham, AL.
- Jedi Mind Trick : Belgian I.P.A. with spicy yeast notes and tons of fruity, floral, and citrusy hops. This is not the beer you're looking for. 
- Johnny Utah : With heavy grapefruit, citrus and resin in the nose, this light colored ale has minimal malt interference, giving the beer a clean finish without a cloying bitterness. Pronounced grapefruit and pine flavors with a faint verdant note.
- I See The Vision - Papaya And Yuzu : Lupulin powder IPA with rotating fruit
- Wild Sour Series: Synchopathic : Synchopathic is the combination of a refreshingly tart and acidic sour ale with robust-citrusy, fruity & floral dry-hops one would otherwise find in a pale ale, with aromas and flavors reminiscent of grapefruit, orange, lemon, tangerine, pineapple and hints of pine, giving way to a biscuity-crackery malt backbone, low bitterness and dry finish to bring it all in synch. Cheers.
- Farsons India Pale Ale : This premium hoppy ale is a vivaciously fruity and appetising version of the classic India Pale Ale. Originally brewed to survive the rigours of a long sea voyage from Britain to India during the Raj. Farsons IPA blends just the right amount of bitterness with a solid malt base resulting in a clear amber colour and a well formed and dense off-white head. This modern IPA has a complex, creamy, and refined taste profile – another Farsons Classic in the making.
- Cognac Barrel-aged Belgian-style Strong Dark : Our Cognac Barrel Aged Belgian Dark Ale is so elegant, that its aromas of dried dates and brown sugar and notes of toffee, ripe plum and spice may make you feel more dignified with each sip.
- Buffalo Black IPA : A bold but very drinkable ale that uses a combination of British and American hops to give a unique Anglo-American hoppy twist. Traditional English Maris Otter malt provides a malty base, while mild dark barley and wheat malts add a rich, smooth flavor.
- Derketo : Derketo is a mer-goddess of ancient lore and we thought she would be the perfect representative for our imperialized and hopped up Belgian Style Double IPA. We brewed this light colored ale with boatloads of Amarillo and Galaxy hops and Belgian yeast. The result is perhaps one of the most pleasingly aromatic beer we have ever created. Juicy passion fruit, tangerine and a world of other citrus and tropical entwine themselves beautifully with Belgian yeast notes. Drink as fresh as you can.
- Pleiotropy : Barrel-Aged Dark Sour with Madcap Hunapu Coffee
- Hugo : Hugo is a collaboration with Brasserie Dunham from Dunham, Quebec, Canada. A generous dry hop addition of Galaxy and Rakau hops along with a blend of Brettanomyces, Claussenii, and French Saison yeast gives this farmhouse saison bright notes of citrus and orchard fruits.
- Spin Cycle #8 : El Dorado, Citra and Mosaic hops were added as late additions to the kettle, and twice in the whirlpool, resulting in significant flavor and aroma, and soft bitterness. Mouthfeel is further enhanced by a large percentage of the grist being flaked wheat and oats. Notes of pineapple, mango and stone fruit.
- Fur Slipper : Silky smooth with notes of roasted hazelnut, dark chocolate and toffee; our Fur Slipper is a fusion of the traditional Milk Stout with the rich tones of a Russian Imperial.
- Bronx is Burning : Stout brewed with habaneros, dark cacoa, vanilla beans and cinammon.
- Monogamy - Brett Barrel-Aged : We kick off the Quadruple Whammy next weekend on the 16th with a brett barrel aged version of Monogamy Centennial, bottle-conditioned with apricot and peach. This one spent a year in barrels with several strains of brett, before being blended into a tank with fruit. The resulting beer is all about brett-derived aromatics, flavours of stone fruit, and was finished with a soft carbonation.
- Dark In The Daytime : London Brown - a sessionable brown ale rested on whole coffee beans. Sweet and biscuity malt up front with notes of toffee, caramel, chocolate and a hint of stone fruit. The coffee ties it all together with a subtle but fresh & roasty aroma.
- Fortunate Islands : Fortunate Islands shares the characteristics of an uber-hoppy IPA and an easy drinking wheat beer. A massive dose of Citra and Amarillo hops gives it a blastwave of tropical hop aromatics: mango, tangerine, and passionfruit all leap out of the glass. Brewed with 60% wheat malt, Fortunate Islands also has the mild, nutty malt backbone, reasonable ABV, and restrained bitterness to make it an outstanding session beer.
- Steinhaken : A malt forward traditional Munich-style Dunkel. Originally brewed in collaboration with our friends at Redhook Brewery in Portsmouth. This beer pours a deep amber color with complex caramel notes and smooth flavor profile.
- Sláinte : We have taken a traditional Scottish-style ale, with its rich malt characteristic reminiscent of dark fruits, and deepened its flavor with the addition of cherry wood smoked malt. This beer features a full body alongside drinkability - a rare commodity. We enjoy this seasonal throughout the long, snowy winters of Central Wisconsin. You should, too!
- Grey Lady : The name "Grey Lady" comes from the nickname for the often-foggy island on which it is brewed. This hazy, Belgian-style Wit emits a complex nose with sophisticated notes.
- Black Sam Licorice Stout : With an aroma of roasted malt and nighttime , this pitch black stout has flavours of rich maltiness , molasses sweetness , dark chocolate and a delicate note of Licorice.
- Delilah : Bright and powerful, this crisp and dry Belgian blonde is full of subtle fruity flavors from a significant honey addition, made from bee hives on our farm! This beer pairs amazingly with fresh fruit; berries, cherries, peaches, melon. Find your local fruit farmer or venture to the farmers market to celebrate the season’s bounty and give a toast to those hard working honeybees!
- Rail Spur Double IPA Bourbon Barrel Aged : Aromas and flavors of tropical fruit, citrus peel and pine needles dominate this brew. Two row malted barley, Belgian Caramunich, and Victory malt were used to create a malt backbone that can handle 40 pounds of seven different hops and two dry hop additions.
- Double Rainbow IPA : Named for the spectacular and complete double rainbow that appeared in the northwest sky just outside the brewhouse during the inaugural mash in. With a foot in both the new and old worlds, this IPA is generously dry-hopped with English Fuggles, resulting in a strong, deep golden, very fresh, and fruity English flavor and aroma.
- Scruffy's Smoked Alt : Our goal is to have a very drinkable beer with a nice smoked quality that will pair well with food and be something a little different. We blend a good amount of German Rauch malt, that is smoked with beachwood, with a US two-row malt, Crystal 40, Crystal 120 and a bit of Pale Chocolate Malt. We use enough US Magnum & Willamette hops to balance the malty sweetness of the German Alt yeast used to ferment the beer. That leaves moderately smokey notes that comes through mostly in the flavor that is balanced with the slight fruity flavor that the Alt yeast will give you. A very session-able smoked ale with enough bitterness to balance the other flavors.
- Wit TF : This is a Belgium Witbier (no shenanigans here) brewed with orange peel and coriander. The aroma is malty and herbal with a pleasing citrus fruitiness. The flavor is crisp and zesty with a hint of spice and earthiness from the coriander.
- Earth Rider Cognac Barrel Aged North Tower Stout : Earth Rider North Tower Stout, the 2018 World Beer Cup bronze medalist in the oatmeal stout category, was aged in a cognac barrel for three months. Notes of caramel, chocolate, coffee, cognac, and more are in this deliciously complex beer.
- Jacob's Ladder : Malty, sweet and rich flavor & aroma with some chocolate, caramel and toast quality, a citrusy hop aroma & flavor, relatively high bitterness, low fruity esters, medium body and medium brown color.
- Antioch : A potent sipper with a profound dark fruit character of raisins, plums, and figs.  This hardy ale was built from a base of German pilsner malt, and gets its complex, caramel body from intense Patagonia crystal malts and heavily caramelized Belgian candi sugar.
- Grimm Vicar : A Dark Abbey Ale barrel aged in both bourbon and wine barrels.
- Details Of A Sunset : Hopped in the kettle with Experimental Grapefruit and Motueka, and double dry-hopped with those two buddies plus some Citra.
- Bourbon-Barrel Aged Descendant Suffolk Dark Ale : For this special release, Gordon's Fine Wine and Liquors shared a single premium bourbon barrel with Mystic Brewery in which to age our Suffolk Dark Ale, Descendant. Descendant is a unique strong version of an Irish dry stout that is made with molasses and then fermented in a rustic tavern ale style. The bourbon characteristic from the barrel aging perfectly complements the beer's dark malts and molasses. We hope you enjoy this preview of good things to come.
- Slooow Mo : This light bodied, single-hopped Mosaic IPA is bursting with aromas of ripe summer berries, citrus and passion fruit. Flavorful enough to sip, and smooth enough to crush.
- Dark Side Of The Moose (Ochr Tywyll Y Mws) : A delicious dark ale with a deep malt flavour from roasted barley and a fruity bitterness from Bramling Cross hops.
- I See A Darkness - Bottle-conditioned : I See a Darkness Imperial Espresso Honey Porter, bottle conditioned with Emptiness yeast culture.
- Amsterdam Testify : A brett pale ale that combines the spicy fruitiness of a 100% Brettanomyces fermentation with the tropical aromas of Nelson Sauvin, Mosaic, and Galaxy hops.
- Grand Cru - Barrel-Aged : This Belgian-Style Ale has been matured in American and French oak red wine barrels for a year to add layers of complexity to its rich flavor profile of dark fruit and Belgian caramel malts. The oak and red wine flavors imparted by the barrel-aging process blend seamlessly with subtle hints of raisin, plum, and bittersweet chocolate from the beer. Enjoy now or continue to age in a cool, dark place.
- Magic Eye : Magic Eye is a New England style IPA brewed with Mosaic and Mandarina hops from Hop Head Farms. Pale orange in color and opaque, Magic Eye has aromas of bright orange, passion fruit, and mango. At first sip, big tropical citrus flavors dominate the palate followed by just a touch of bitterness in the finish. This medium-bodied IPA is fruit forward and very refreshing.
- Tartanic Scottish Ale : A traditional Scottish-style strong ale, which is dark copper in color, full-bodied, smooth and malty. This beer is brewed from Montana-grown 2-row malt, imported British caramalts, roasted barley, and a dab of torrified wheat.
- 100 Barrel Series #16 - Frankenfest : Frankenfest is brewed in the tradition of classic German Oktoberfest lagers. In order to replicate the complex malt character of the original, a blend of 8 different malts was used. The combination yields a slightly darker color and a toastier malt flavor. Frankenfest is judiciously hopped with three different varieties of hops that lend just enough bitterness to balance out the rich malt flavors. It has a dry finish compliments of an authentic German lager yeast and a longer rest in our conditioning tanks. The lingering malt complexity and dry finish make Frankenfest a wonderful match with many types of food. Enjoy.
- Blanc De Blancs : Blanc de Blancs started as a Biere de Champagne malt bill that was fermented in Chardonnay barrels with Missouri grown Chardonnel grapes. The native Missouri microflora that was present on the grapes provide the sour depth and funky complexity of this wild ale.
- Bass Shaker Oak Aged Peach Sour : The Sour Note Series plays on with Bass Shaker: a sour ale brewed with peaches and aged in oak. Like all sour ales in the series, this beer was soured with our own in-house lactobacillus strain. On the palate, ripe peaches and careful aging with medium-plus American oak chips impart subtle nuances of sweet charred fruit and vanilla. Very tart.
- Cease & Desist : This Double IPA has been slammed with a generous amount of exciting hops both in the boil and dry hopping schedule. Packed with a variety of tropical fruit flavors and aromas this beer was brewed to celebrate persistence and dedication to creating something good.
- Enigma Dry Hopped Fort Point : This progressive variation of Fort Point Pale Ale spotlights Enigma; a dynamic hop recently developed and cultivated in Australia. Engaging aromas of melon and stone fruit converge on the nose with an intriguing herbal essence in the backdrop. Ripe cantaloupe advances to the palate giving way to complementing flavors of light tropical fruit, blood orange, and a hint of spice. Enigma Dry Hopped Fort Point is medium in body with the distinctively mellow bitterness, gentle mouthfeel, and dry finish of our signature pale ale.
- Llama Saison : A dark saison infused with Lucky Llama espresso beans.
- Tessellate : Tessellate is a golden sour beer aged in oak barrels dry-hopped with mosaic hops. The idea that one hop varietal could lend a myriad of tropical aromas and flavors to a beer piqued our interest so much that we had to explore using mosaic hops in our golden sour. Aromas of fresh mango, pineapple, and lemon zest joined with notes of juicy guava, papaya and grapefruit peel assemble a tessellation of mouthwatering flavors.
- Bad Wolf Dark Ale : Dark caramel malts balanced by classic Northwest hops in this rich dark ale. This beer will be your best friend, take you out to dinner, and leave you wanting more.
- No Middle Ground Coffee IPA (2017) : At first glance, it might seem strange to combine coffee and hoppy beer, but really, the two flavors have a lot in common. Good coffee and hops both have complex and fruity aromas which create layers of flavor. No Middle Ground is brewed with fruit-forward hop varietals and cold-brewed coffee for a unique take on the IPA.
- Heiner Brau Festbier Oktoberfest : Brewed traditionally in Munich for the annual Oktoberfest, this brew is a Bavarian style beer made to celebrate the fall harvest. Oktoberfestbier is a fresh dark golden beer, similar to the Mardi Gras Festbier, and has a light malty finish.
- Cold Fire : WEIRD & GILLY’S BIG BROTHER! Smooth, juicy tropical/stone fruit with a touch of our signature dank resin. Double dry-hopped because the Spiders demanded it.
- Satan's Broadsword : This Dulce de Leche imperial stout is a true dessert beer for those that like sweeter imperial stouts. A mix of Dulce de Leche, Ancho chilies, and spices add layers of flavor and complexity. Ideal for sharing.
- Caffè Americano : Traditional Caffè Americano is made by adding water to espresso. We break all the rules with this Double Stout. We refuse to add water to our beer after fermentation, but have no issues adding beer to our espresso. This deep, dark stout exhibits rich espresso and coffee notes, which are contributed by the generous use of roasted barley and espresso locally roasted by Buddy Brew Coffee. That simply is not enough for us. We also add roasted, raw chocolate and a hint of vanilla to this big bodied stout. Dodge the red eye and take a shot of the dark.
- Silurian Stout : This is a rich, dark and velvety creation. We used chocolate, dark malts, lactose sugar, and a hint of coffee. Ruling land and sea, this legendary creamy milk stout is unlike anything of our time.
- Storm Cat : Started as an experimental Amber testing a new varietal hop just on the market in 2013, hands down here – Mosaic hops give Storm Cat (a stud Thoroughbred who had a 24-hour armed guard for his, talents) a grapefruity essence with a residual sweetness from caramel malts. 
- Singe De Mer (St. Somewhere Collaboration) : Dark saison with sea monkeys!
- Dubious Affair : Dubious Affair is a dark sour aged in oak barrels with traces of black currants, Italian plums, and apricots. With hints of those fruits and a subtle, yet complex, acetic acid profile.
- Dark Villain Imperial Milk Stout : Opaque, with a dark tan head. Very Strong roasty nose, and flavor. A super silky mouth-feel (or is it milky, from the added lactose), and big roast malt body, with just enough hop balance.
- Heizer : Our dark beer is called „Heizer“ (stoker). It is a bottom-fermented beer and has a full malt aroma. Our dark beer has a velvety texture and is rather light an sweet, which makes it an ideal beer for guests who dislike a strong, bitter beer.
- Embrace The Funk - Cherry Deux Rouges : A tart Flanders Red Ale aged in fresh Merlot Barrels for over a year with an additional fermentation with tart and sweet dark cherries.
- Lost In the Woods : Lost in the Woods starts with a simple malt base and then meanders the palate through a forest of earthy and fruity flavors formed from large additions of Hull Melon, Mosaic and Centennial hops.
- X Ale, 22nd February 1945 : So, these are our new historical beer releases: two beers from the same brewery, brewed under the same brand name, 107 years apart. X Ale, 22nd November 1838, and X Ale, 22nd February 1945. These beers were from Barclay Perkins brewery in London (now long closed). They were brewed & sold as the same beer over these 107 years, but the recipe and process changed dramatically. The beer changed from a golden, 7.4%, extremely hopped ale in 1838 into a 2.8% dark grainy beer in 1945. Probably a lot of factors came into play: wars, hop shortages, grain pricing, rationing, taxation, patriotism, the motorcar, the industrial revolution… I’m guessing these all played a role in the weakening and darkening of this beer. Interestingly, since 1945, Mild ale in Britain hasn’t changed so much: it’s still dark, and one of the weakest beers produced.
- Safety Scissors : Blood Orange Berliner Weisse brewed with apricot. Juicy stone fruit, tropical, and citrus. Integrated acidity.
- Passiflora : Passion fruit white IPA with Mosaic and Citra hops.
- Genealogy : One of our most coveted Nietzschean narratives, Genealogy of Morals, inspires our bourbon barrel-aged imperial stout of the same name. We present to you the opportunity to enjoy the non barrel-aged base beer, simply named Genealogy. brewed with malted wheat and locally roasted coffee, then conditioned in stainless steel. Dark, rich and smooth, its complex flavors belie the singular vision with which we create it - echoing the work that inspires it.
- Jamaican Me Crazy : This tropical stout (sweet stout) was brewed with molasses to give it a rich body. Toasted coconut flakes give it a slight hint of aromatics and pineapple provides a subtle, fruit finish. This beer is as smooth as Dr. Love on Seven Mile Beach in Negril! Yeah Mon!
- NOLA Brown Ale : NOLA Brown Ale was one of our first two flagship ales. This brewery favorite is a light-bodied, full flavored English dark mild ale with notes of chocolate, coffee, caramel, and nuts. High malt flavor and low hops, this is a great session beer with a 4.0% ABV and smooth finish.
- Never & Again : For this East meets West collaboration, we’ve joined forces with our California comrades at Monkish to brew a Double IPA aged on mango. We never thought we’d do a fruited IPA… but here we are doing it again (Henry from Monkish feels the same way!). Intensely aromatic, the nose is composed of bright mango, melon rind, and combination of tropical & piney hop character. The palate follows the nose, intensified by a bold, quenching, lasting bitterness. 
- Bel Air Sour : Lead by our James Beard Award-winning Brewmaster, Garrett Oliver, our brewers put their collective minds together to conjure up one tasty magic trick—a thrilling jolt of tartness up front opens onto a riot of tropical fruit, courtesy of our lacto, our ale yeast, and a generous helping of Amarillo dry-hopping. Soft barley and wheat malts keep things dry and refreshing, and the whole thing comes together to close with a fine dry finish. Brooklyn Bel Air Sour is racy and maybe even a little bit dangerous, but also effortlessly cool, breezy, and undeniably compelling.
- Hit Single : Brewed especially for the KLCC Belgian collaboration project, this traditional blonde ale is brewed in the tradition of the monastery breweries in Belgium. This simple beer was commonly drank by the monks who ran the brewery and the farm the monastery occupied, but it was not often exported outside Belgium. Our version has organic Pils malt and Munich malt, as well as a touch of organic oats for a medium body and a subtle creamy, toasty cereal-like malt flavor. The special Belgian yeast used in this beer originates in an authentic Trappist brewery, and contributes spicy notes reminiscent of clove and ginger, with a soft fruitiness similar to apple or pear. Refreshing and subtle, this ale brings the brewer thoughts of spring and sunshine!
- Hop Drip : Hop Drip is a medium-bodied American IPA. A subtle, intriguing coffee flavor percolates through the senses, and a rush of citrus and grapefruit from the hops finish the brew.
- Leitmotif - Opus 12 : This latest iteration of our ongoing kettle sour series was brewed with Belgian yeast and our house Lactobacillus blend. We added 400lbs of Fresh Maine Blueberries during fermentation to create a proper fruited sour. The beer is purple in color and has a beautiful aroma of blueberry and a tart finish. Well carbonated for your enjoyment.
- Candyman : Candyman is a Fruit Snack Double IPA. Brewed with barley and oats. Generously hopped in the kettle with Simcoe Lupulin Powder, then conditioned on copious amounts of apricot purée and aggressively dry-hopped with Crystal and Simcoe. Nostalgic and youthful. Notes of fruit leather, dried mango, ripe peach, and sticky snacks.
- Noble Rot : This saison-esque science project gets complexity and fermentable sugars from two unique wine grapes sourced with our friends at Alexandria Nicole Cellars in Prosser, Wash.
- VariaBull Batch 001 : The first entry in our new rotating experimental series, Variabull Batch 001 is an IPA bursting with big tropical fruit notes thanks to hearty additions of both 7C's and Mosaic hops.
- Earth Rider Allouez Amber Ale : Allouez Amber Ale is dryer and roasty-er than most amber ales. Dark fruit, roasted coffee, and toasty flavors come out as it warms. Low hop presence balances the sweetness with a clean and spicy bitterness. Finishes dry.
- Honey Do Wit : Unfiltered Belgian-style double wheat beer brewed with 60 pounds of orange blossom honey. Pale colored and medium-bodied, yet complex. Distinctive yeast and added spices produce a refreshing, fruity citrus flavor.
- Cranberry Porter : Medium bodied, dark brown, strong porter with a balance of caramel/malt sweetness and chocolate roast notes. Citra hops and Cranberry combine to give a bright and tart finish reminiscent of your favorite holiday dishes. 7.1% ABV 26 IBU
- Tangerine Quad : Patiently aged in the finest of Bourbon barrels, this bold Belgian-style Quadrupel layers notes of rich, dark fruit, vanilla, and caramel with a burst of tangerine peel culminating in the vibrancy of this full-bodied creation. 
- Tweason'ale : For our first new 12-ounce 4-packs in nearly half a decade, we replaced the classic barley foundation of beer with a mild sorghum base. The hints of molasses and pit-fruit are balanced by vibrant strawberry notes and a unique complexity that comes with the addition of a malty buckwheat honey.
- Seven (#7) : "Seven is our most aromatic beer. The brewery's saison yeast is fully expressed in the aroma with lots of fruitiness while the hops provide light spice notes. The beer has some heft mid-palette but finishes dry with a lightly lingering bitterness. Seven is satisfying on its own but pairs great with a variety of typically fragrant cuisines such as Thai or Indian."
- Southern Cross : Southern Cross beer is a Belgian-style Double Red Ale. Big caramel maltiness and light toffee notes are accented with a subtle citrus character (jackfruit) from the Belgian yeast strain used to ferment
- Smoked Porter - Chocolate And Orange Peel : We decided early on that we wouldn’t do seasonal beers for the sake of doing seasonal beers. Summer ales and winter lagers certainly have a ring to them. Big-beer focus groups prove consumers get a kick out of them, and macrobrew marketing analyses suggest they sell well. But for us, beer comes first, much as Stone Smoked Porter came first. Actually, it came second—oddly enough, in the form of a seasonal. Our co-founder and original brewmaster, Steve Wagner, thought it would be an innovative, warming creation suited for winter…and it was. Legend has it Greg’s mom agreed. But rather than relegating fans to nine peat-smoked-porterless months and building revenue-generating fervor for the cold season, we made it a year-round release. Nowadays, we brew a trio of tasty takes on this smoky, sultry vanguard. But the closest they come to being “seasonals” is that they are enhanced with seasonally driven ingredients such as vanilla bean and chipotle peppers. This version, released in the literally gray area separating sunshine and snowfall, incorporates dark chocolate and dried orange peel, making for a semisweet, citrus-nuanced porter that comes across like a break-apart chocolate orange enjoyed by a campfire. It’s not a seasonal—it’s just a phenomenal beer, regardless of the time of year. Throw out the calendar and enjoy.
- Milly's Burton Ale : A bitter ale harking back to early brewing days in England. British hops are used judiciously throughout to give this ale the traditional earthy/fruity flavor and dry finish of the English midlands. With a slight addition of brown sugar to an astonishingly diverse malt bill, this copper session ale is one to enjoy over and over.
- Killer Whale : This is the Second Anniversary Beer for Six Row Brewing Company. We took our Whale, a longtime favorite, and beefed it up into it’s “Killer” status of what essentially amounts to a barley wine equivalent. Deliciously strong, fruity, and floral, this beer is not to be taken lightly.
- Frères - Bluebird : A single hopped Belgian rye pale ale brewed using a blend of yeasts, one traditional Abbey and the other a fruit forward Brett.
- Olde Bitch : A very strong and intense beer. Aged on oak and Kill Devil Rum. Lively and fruity, sweet, ,bittersweet , heavy body. Alcohol will definitely be perceived. Dominant fruits to figs. Named for Lily, the old black Lab.
- Neighborhood IPA : Our newest IPA, brewed with an enormous amount of mosaic hops, this IPA is fruity, citrusy, and piney. We named it Neighborhood to honor the amazing mosaic of people that call Mt. View home.
- Fleece Flower Saison (Boston) : A dry, complex, somewhat tart farmhouse ale brewed with locally forged Japanese knotweed.
- Barrio Red Cat Amber : The first beer ever brewed here is made with 2 row pale malt, both 40 lovebond and 80 lovebond crystal malts for a rounded smoothness and a touch of chocolate malt for added complexity. Moderately hopped with Pacific Northwest Cascades.
- Sweet Georgia Brown : This beer started as a Southern English Brown, and evolved from there. The nose almost comes across as caramel, but when you drink you will find that it is not sweet. Dark, toasty, and lightly sweet with notes of chocolate, coffee, biscuit, and caramel, this beer is complex but very drinkable. A rustic but balanced beer without a strong hop presence, definitely made for the malt lovers of the old world.
- Campfire Kolsch : Campfire Kolsch – In honour of this year’s lumberjack theme and official charity (Vancouver Firefighters’ Charitable Society) we’ve brewed a sessionable Kolsch style ale using an extremely subtle amount of cherry wood smoked malt and hops that give tropical fruit notes. In the end you can expect this beer to be reminiscent of a lightly BBQed pineapple. Thank you to Red Truck Beer for hosting this year’s brew, along with Main Street Brewing and Parallel 49 Brewing for assisting with this year’s recipe design.
- Scratch Beer 156 - 2014 (Dunkel Weisse) : Dunkel Weisse is the darker version of the more common Weissbier (or Hefeweizen as we Americans call it), which is a creamy Bavarian wheat beer with pronounced clove, pepper, banana, and sometimes bubblegum flavors. (To familiarize yourself with the style, you may want to try our year-round DreamWeaver Wheat if you haven’t already.) Like a Hefeweizen, its darker counterpart is also brewed with a mash of wheat and malted barley. However, the Dunkel differs in that it also contains a variety of caramelized or roasted malts to lend a deeper, darker coloration and further malt complexity. Scratch #156 features all of the components of a classic German-style Hefeweizen overlaid with hints of toasted bread, chocolate, and roast. Prost!
- Brett Bière De Garde : Aged in white wine barrels for three months with the wild yeast brettanomyces. Light notes of oak counter an intense funkiness from the wild fermentation. The base lager for this beer was brewed in the French farmhouse style. We added our own twist by adding 30% Rye Malt, locally grown Triticale from MA and amber Belgian candy sugar. We left this beer slightly hazy to accentuate the mild fruity yeasty character.
- Spinal Remains Pumpkin Stout : Smooth and chocolaty, this pumpkin stout pours dark as night with a creamy tan head. A little smokiness on the nose with malty bittersweet chocolate and coffee tones give way to subtle earthy pumpkin and spices for a nice, creamy mouth feel.
- Bride Of Beach Zombie : Alfonso mango + Peruvian passion fruit sour
- Bavarian Dunkles : 1516 brewer Christian “pimped” his recipe. Still is a dark Lager, this time with an addition of roasted malts. Brewed with Munich Malt, this is a “real” Dark Lager, not a colored Helles. Big breweries avoid Munich Malt because of it`s unfermentable sugars.
- Serpent's Stout - Blended Bourbon Barrel-Aged : This blend combines the brewery's delicious Serpent's Stout imperial stout with a bigger, bourbon-barrel-aged version of the beer. While the dark depths of the base imperial stout-laden with cocoa, and loads of dark chocolate, roast, and dark fruits-are more than enough on their own, that addition of a rich, charred, chewy bourbon-barrel influence brings so much more out of this beer. And while the original bourbon-barrel-aged Serpent's Stout knocked our socks off, this blended version is our Goldilocks-level "just right" one. The carbonation's just enough to add a liveliness to the dense chocolate, nougat, and cocoa powder that pervades this beer: huge, lush flavors that coat the tongue and need those bubbles accordingly. With the lightly warming elements from the bourbon-barrel, plus a subtle edge of oak tannins, the overall feel here is sublime: richly rendered dark fruits, with milk chocolate and barrel influences-but perfectly textured to show all the delicious parts.
- Equillibrium / Fool's Gold Fools Equipoise : Collab w/ Fool’s Gold. Our head brewer Ryan McNally was at a Fool’s Gold event in NYC and shared a pilot batch of Kinetics (now known as Fluctuation) with Patrick Donagher. Patrick, who is a fixture in the NYC bar industry, seemed to really enjoy his first taste of Equilibrium and on that night a friendship was born. Fools Equipoise is true to the name with a blend of both new school and old school hops in search of balanced interests, and a beer so drinkable it may leave some fools unbalanced. It pours hazy with an aroma of pine and fruit cocktail. The flavor is tropical, with notes of ripe peach, papaya, mango and has a new school EQ juiciness that builds before its dry but soft and creamy finish.
- Sagittarius B2N (Dogfish Head Collaboration) : Sagitarius B2N is a Saison brewed with Hibiscus, Grapefruit, and Lemon Juice and dry hopped with Amarillo hops.
- Good Bloke IPA : IPA featuring whole NZ leaf hops (Nelson Sauvin, Southern Cross, Pacifica and Wai-iti). Candied fruit on the nose, grassy and notes of white wine on the palate. Finishes quite bitter for a Roundabout IPA. Earlier this year while we were visiting family in New Zealand, we met up with NZ Hops Ltd CEO Doug Donelan. Doug gave us a tour of the facilities and drove us out to the Plant and Research Centre where we saw all the work going on to produce new varieties of New Zealand hops. Doug told us about a couple of breweries large enough to transport large quantities of fresh hops to the US. Upon returning to the US we reached out to Steve Dresler, Brew Master of Sierra Nevada. A few weeks later we had some NZ whole leaf hops from the 2015 NZ hop harvest. We’ve named this Good Bloke for both of these kind gentlemen…for being good blokes.
- Barrel-Aged Repo Man Rye Stout : Aged for a respectable 9 months in Woodford Reserve bourbon barrels this is one extremely complex and yet very drinkable stout. In this mellow dark ale are all the wonderful aromas and flavors of vanilla, caramel and coconut from the bourbon and the charred American Oak barrel staves.
- Venus - Belgian-Style Quadrupel : Venus—goddess of love and beauty—exudes grace and voluptuousness. Indulgent with lush dark malts and sensuous star anise, VENUS is decadent and divine in body and spirit. Leisure lounging in French oak Cabernet Sauvignon wine casks results in a lovely liquid feast of fabulously luxurious flavors.
- Island Chomper Fruit Punch DIPA : Island Chomper is a Double American India Pale Ale brewed with pineapple, passion fruit, apple, orange, papaya, apricot and guava. Bountiful citrus rind aromatics contribute to an overall tangy bitter nose in this brew. Ample flavors of orange and tart tropical fruit shift quickly to a sour mouth puckering bitterness. The finish is very dry, which is quite the contrast to the initial juicy mouth feel.
- Lindy : Lindy is a lighter colored ale with a delicate malt profile, but an assertive hop presence, just like a TrIPA should be. Simcoe and Equinox hops provide aromas and flavors of grapefruit, pineapple, raspberry, red apple and melon.
- 7 Swans-A-Swimming - Bourbon Barrel-Aged : 7 Swans-A-Swimming is the 7th beer in our 12 Days of Christmas™ series. For this verse of the story, we chose the path we don't often take - we brewed to style. No bells, no whistles, just our best take on the Belgian Quadrupel style. Brewed with nothing but water, malt, yeast, hops and a bit of Belgian dark candi sugar, this beer may not be as out-of-the-box as some of our past winter brews, but it's just as tasty. Rich and complex, this robust dark ale juggles notes of raisin bread, dried apricots, burnt caramel and roasted pecans. The barrel-aged edition layers on complexities of oak, plums, toffee, tobacco and liquefied dates, with the Belgian yeast esters mimicking winter-like spicing on a warm bourbon backdrop.
- Unorthodox Russian Imperial Stout - Aquavit Barrel Aged : We aged our Unorthodox Russian Imperial Stout in an Aquavit barrel sourced from highly-regarded Scandinavian distillery known for going to great lengths to achieve perfection in their spirits. The rich, spicy notes of Aquavit are evident in the hints of caraway, cinnamon and other "secret spices" used in this Nordic favorite. These nicely enhance the spicy rye and roasted malt character of our very Unorthodox Russian Imperial Stout to create an exceptionally unique and complex brew.
- DryHop / Atlas Raven In The Sky : Brewed in collaboration with Atlas Brewing. This is our riff on the traditional British Old Ale. We took it up a notch with the addition of black strap molasses & dried figs. This rounds out the malt balance with sweetness & dark fruit flavor.
- 6 Geese-A-Laying : 6 Geese-A-Laying is the 6th beer in our "12 Days of Christmas" series and is a return to the more classic dark and toasty winter ale, following the appropriately blonde 5 Golden Rings. Brewed with cape gooseberries, this malty ale displays notes of plums, dark cherry and bright, citrus-like flavors from the namesake berries. Delicious right now, but suitable for aging up to 6 years, upon the release of 12 Drummers Drumming.
- Black Oak Triple Chocolate Cherry Stout : Our Triple Chocolate Cherry Stout is packed with all the flavours you would expect from a traditional stout with an extra twists! We have added cocoa powder and cacao nibs from Toronto’s Chocosol Traders & concentrated cherry juice from Niagara’s Cherry Lane. This yields a local brew that has both a rich dark chocolate malt character combined with a tart cherry flavour. It has soft carbonation and a velvety mouth-feel.
- Summer Saison With Fire Roasted Citrus (for Albert Hoffman) : This year’s summer saison (a.k.a. Orange Sunshine) was brewed with lightly blackened lemons and grapefruits for a groovy, bright citrus character without any of the “lemon pledge” notes that beers bread with fresh lemons can have. Fermented with our house saison blend then finished in the bottle with both our “fruity” and “funky” Brett blends. While fresh the citrus is predominant but with aging, the citrus will start to fade and the funk will start to increase. It should be fun to see how this one evolves. Perfect for a bike ride!
- MILF : You're in for a treat with this one. Brewed with cocoa nibs and raisins and then lovingly aged in rum, sherry, bourbon, brandy and whiskey barrels, this big beer takes on flavors from the spirit and wood of each barrel. The end result is a complex and elegant companion that's right for carefree nights of privilege and excess.
- Five : In the Surly brewhouse, brewing our Anniversary beers mean one thing: forget what ya know and try something different. In honor of FIVE glorious years we bring you a 100% Brettanomyces fermented dark ale aged in red wine barrels. Flavors of sour cherry, tobacco, oak and classic "brett" barnyard funk balanced by dark Munich malt chewiness. Enjoy immediately or age at cellar temperature for a couple years.
- Prairie Eliza5beth : Eliza5beth is a golden farmhouse ale aged on apricots to allow sourness and light fruit flavors to add complexity to the beer.
- Brekeriet Cassis : Brekeriet Cassis is a black currant fruit beer/wild ale hybrid mainly fermented with Brettanomyces yeast.
- Lamplighter / Borg - Sneaker Wave : A New England-style IPA brewed with Arctic thyme. We teamed up with Borg Brugghús of Reykjavik, Iceland, to throw a Nordic twist on this hazy staple. Waves of herbs and sweet thyme follow flavors of tropical fruit, mango, and citrus zest. The addition of Styrian Wolf and Grungiest hops keep that swell going with pockets of elderflower, anise, and even more mango. 
- Opacity Of Tomorrow : Hopped with Galaxy and Citra. A humble homage to a northern inspiration, our latest hazy IPA pulls out cloudy dreams and anxious beginnings, revolves and evolves them into a complex canvas of indecipherableness. Unlock, unwind, slow blues in your ears, eyes peering out towards themselves, welcome the new world slowly. Fruity esters, light stone fruit, banana Runts, this beer changes nicely as it gently warms.
- The Cannibal : Belgian Golden Ale brewed in tribute to one of the world’s greatest cyclists, Eddy “The Cannibal” Merckx. Light in color and medium -bodiedy but complex in flavor. Unique Belgian yeast imparts notes of spice and tropical fruit.
- El Camino (un)Real : Brewed in collaboration with Firestone-Walker Brewing Company and Stone Brewing Company. At 9.5% ABV, El Camino (Un)Real is a dark strong ale that drinks like an Imperial Stout with a hook – it has a firm bitterness and malt complexity with licorice, vanilla and higher alcohol esters. The incorporation of indigenous ingredients includes the addition of dried mission figs, pink peppercorns, fennel and chia seeds that together add a slight herbal, fruit and spice note built to pair with the malt and hop complexity. This beer is big, drinks well and will age quite nicely. El Camino (Un)Real is available in 4-pack cans and on draft starting this week in all 25 of 21st Amendment’s current distribution territories. Channeling their mythical road trip, all three brewers have put together a Spotify playlist that you can enjoy on your next highway adventure or while kicking back and savoring this rich beer with friends and family.
- Grapefruit Kolsch : This refreshing radler-style ale pours a hazy pinkish-orange, due to the generous addition of organic grapefruit juice to the Kölsch-style base beer. Crisp and tangy with a bright citrus aroma and flavor and a light grapefruit bitterness. A harmonious combination with a finish so thirst-quenching it’s hard to have just one!
- Light Roast : Don't let the color fool you! This light colored ale contains enough organic Kaldi's coffee to provide a roasty flavor profile and a touch of caffeine. The addition of a fruity hop profile creates a refreshing light roast experience.
- Wit's End Belgian White Ale : Starting with Castle Pils, the finest Belgian malt available, we complete the grain bill with nearly 50% unmalted white wheat and just a touch of oats for a mouthfeel that is substantial and silky smooth. Liberal doses of coriander, Curacao and sweet orange peels add a pleasant citrus/herbal character to the aroma and flavor. We brought in a special Belgian yeast most notable for producing a tart complexity to create a slight sweet-sour flavor. Garnished with a slice of blood orange for an equally unique presentation.
- Roundhouse : Substantial amounts of late-kettle hop additions and dry-hopping yields a heady blend of fruity aromas of pineapple, peach and citrus. Those aromas continue into a crisply bitter hop presence across the tongue, but the judicious use of toasted and caramel specialty malts prevents the hop intensity from overwhelming the palate.
- Raspberry : Wood Aged Fruited Sour Ale 
- Unlook Back : Unlook Back is a Blackcurrant Mild inspired by British dark mild. Brewed with a base of British malted barley and oats, and a plethora of specialty malts. Hopped very lightly with German Callista, and boiled with blackcurrants. Fermented with our house ale yeast and conditioned on a puree of more currants. Notes of milk chocolate, thick winter smoke, and deep red berries.
- Moneyman (Hopbursted Oatmeal) IPA : Hopbursted Oatmeal IPA. Hopbursted and dry hopped with Citra and Amarillo for maximum aroma intensity. Its tropical flavor flaunts hints of lemon, orange and grapefruit while the oats deliver a velvety mouthfeel.
- Duende : Duende is a hazy marigold in appearance with fluffy white foam. This beer is elegant for a Double IPA which leads to surprisingly easy drinkability. First impressions are a bright almost citrusy pine note that quickly switches gears to huge fruit notes: orange, grapefruit, apricot, and tangerine. There’s a consistent fruit flesh flavor to the beer that adds a wonderful complexity to the bright citrus notes as the overtones dance around the fleshy notes, supporting without ever getting in the way. As the flavor finishes there’s subtle earth and berry notes that come through and the beer finishes with a perfectly balanced bitterness that rounds out the alcohol sweetness and immediately invites you to take another sip.
- Razzle Dazzle : This little guy recieved a dose of lupulin powder. He's got a soft mouthfeel and an assertive hop presence with grapefruit and berry notes that razzles and dazzles.
- Show Me Sour : Originally brewed as a collaboration between Boulevard's Brewmaster Steven Pauwels and Side Project Brewing owner/brewer Cory King, Show Me Sour was inspired by their mutual admiration for low ABV, Belgian table beers. A touch of acidity, some dehusked black malts for a rich, dark color, plus a short time in whiskey barrels before being blended back with fresh beer, make for a unique and inviting beer that's our play on a whiskey sour.
- Blood Of The Unicorn : One of our original hop beasts of burden makes its whimsically triumphant return. Blood of the Unicorn is Pipeworks Ninja vs Unicorn's hot redheaded sister. Loaded with fruity and piney American hops this rouge equine always delivers.
- Tomdunkel : A dark lager brewed from the second runnings of our Oharov Russian Imperial Stout. Pronounced malty and roasted flavors and aromas dominate this light bodied beer. Sterling and Hersbrucker hops were picked for their low bitterness and spicy and earthy aromas, keeping this slightly sweet beer balanced and adding to the crisp finish.
- Tad Pole’s Glory : Brewed and named in honor of Carmel, Indiana’s roots, this big, malty barleywine is filled with caramel and dark fruit flavors.
- Scratch Beer 146 - 2014 (Rye Ale) : Scratch #146 is a full-flavored Amber Rye Ale chock-full of American hops added during two different phases of the brewing process. First, we add plenty of El Dorado and Nugget hops during various stages of the boil to release bold flavors of tropical fruit, fresh-cut flowers, and resin. Later, we dry-hop during fermentation with the one-two punch of Centennial and Chinook to push the citrus and pine attributes over the edge, giving Scratch #146 a well-rounded aroma profile. The addition of rye to the malt bill lends a hint of spicy dryness to the finish, adding more depth to the overall flavor.
- Postcard : A double dry-hopped IPA brewed with 44 lbs. of Mandarina Bavaria hops and 33 lbs. of Mosaic hops per 30 BBL batch. Delivering a blast of citrus fruit aromas to a balanced and crisp IPA base.
- Volkan Santorini White : Light blonde colour, fruit taste with yellow honey notes , banana perfume , pineapple, lemon flower and unripe bitter orange, rich white foam with density and middle shelf.
- Spring Shandy : A shandy inspired Berliner Weisse made with grapefruit and ginger.
- Mount Remarkable : Our very first lager! This crisp, pale crusher was dry hopped with badass Australian Helga & Ella hops, imparting a floral, herbal complexity to this super tasty warm weather guzzler.
- Dubious Dawn : Dark sour ale aged in oak tequila barrels with apricots.
- Interboro / Mumford - Madder Fatter Method : Brewed with our homies from L.A. at Mumford Brewing, an Imperial version of our brew from earlier this year. Pours pale golden yellow, with this white head. Aromas of citrus, tropical pineapple, bright tangy fruit flavors with pleasant hop bitterness. Brewed with Dutch Pilsner, malted wheat & oats. Hopped with Galaxy, Citra, Mosaic & Motueka, and double dry hopped with Citra.
- Sticky Hands - Tropical Slam : Our first variation of the year ramps up Sticky Hands' iconic tropical fruit and citrus flavors to truly astounding levels, with copious additions of Galaxy, Citra, Mosaic, and Apollo hops.
- Troubadour Westkust : Black Imperial IPA, brewed with 100% Belgian ‘Westkust’ hops. Dark and bitter ale with hoppy flavours. Refermented in the bottle.
- Espiritu Oscuro : Dark Belgian-Style Ale brewed with spices and aged in Four Roses Bourbon Casks. Brewed for Healthy Spirits 15th Anniversary.
- Neue Saison : Dry hopped with Mandarina Bavaria, Hallertau Blanc and Huell Melon. Notes of ripe tropical fruit, pineapple, mango, peach and citrus.
- Wachusett Milk Stout : The darkest beer we have ever brewed. A sweet, malty, full bodied, creamy rich flavored stout with coffee and chocolate tones. 
- PM Dawn W/ Barrington Mexican Sierra Madre Coffee : In another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, this is a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Guavatas Sour : A peach-hued, light bodied, tropical sour infused with guava fruit. 
- Guayaba De La Pasion : Guayaba de la Pasion takes our oak aged base sour wheat beer, Faja de Oro, and conditions it atop both Guava Nectar and Passion fruit. The combination of these fruits creates a tropical experience like nothing we've ever known!
- Spirit Beast 2015 : A collaboration with Local Cantina & Gallo’s Taproom, this beast is a blend of Bourbon Barrel Dark Apparition, Bourbon Barrel Matriarch, Bourbon Barrel Brick Kiln, Bourbon Barrel Imperial Amber & Cognac Barrel Dark Apparition.
- Sweet Nikki Brown : This beer has been brewed especially for my wife, Nicole. Just like her, it’s a little sweet, and a little bitter. This hoppy ale is nut brown, just like her hair and eyes. The addition of crystal malt gives the beer a sweet flavour while melanoidin and chocolate malts lend a complex nutty character (draw your own conclusions) to the finish. We’ve used Centennial hops to add a citrus finish to the beer.
- Page 24 Cognac Barrel-Aged Barleywine : Brasserie St. Germain has taken their barleywine, which is fermented with both ale and champagne yeasts, and, after 3 weeks of cold maturation, transferred the beer into cognac barrels for 6 months. The cognac character is complementary and not overwhelming, providing a delicate aroma and notes of apple, cider, and dried fruits while allowing the malty and hoppy character of the base barleywine to remain.
- Bohemian Pilsner : Our Bohemian Pilsner is a refreshing way to kick off Fall. Golden in color, this beer has a delicious bouquet of floral and spicy hop aroma balanced perfectly by the malt character. The hop bitterness leaves a smooth mouthfeel, leaving a refreshing, complex and well-rounded finish. 
- Shadows As Friends : Dark Saison with Tamarind and Black Cardamom.
- Primitive Tools : This new spelt IPA brings an old world ingredient into new school brewing by showcasing the nutty/toasty notes and silky characteristics of this ancient grain with Belma and Simcoe hops. Catty watermelon and cantaloupe with a smooth finish.
- Bourbon Barrel Old Scrooge : Of any character none would benefit more from the smooth mellowing kiss of bourbon than Old Scrooge. A long slumber in single use Kentucky Bourbon barrels marries fruity esters and rich malt body with cherry, wood and vanilla.
- Cosmonaut : Super Galena hops early in the boil bring a strawberry touch. Russian imperial stouts have a dark chocolate presence with vanilla nuance; quite pleasing when accented by a bold hop addition. Our walk around this space had us skirting the territory of those three tone blocks of supermarket ice cream. All we needed was an ingredient you can ferment that would push those notions without running over the beer-ness of the flavors. We turned to that classic museum snack, freeze-dried Neapolitan ice cream. Drink Cosmonaut because exploration is what it’s all about.
- Cherry : Cherry is a barrel-aged fruited sour ale that showcases the distinct fruit characteristics of Montmorency cherries melded with a mildly tart base of sour ale.
- Residency 4 : Farmstead® ale aged in wine barrels with citrus fruit.
- Holier Than Noir : A dark sour that dwelled within the depths of bourbon barrels with a blend of brettanomyces, lactobacillus, and pediococcus for 12 months. Upon wakening, blackberries and freshly roasted Ethiopian coffee beans were added to develop an even richer overtone!
- Arms Akimbo : This deeply robust Porter was brewed with star anise, molasses and balsam fir tips from Dogfish Head,Maine(really, our friends trekked into the woods, chopped off some branch tips, boxed them up and sent them down to Delaware for us to brew with!)to impart a spicy, resinous character in the beer. It is a dark ale with a licorice and sweet roasted malt that are apparent in the aroma. The first taste is sweet with notes of pine, black licorice, molasses and dark roasted malt.
- Dank Drank - American IPA : A golden and hop-forward IPA which eschews balance in favor of resinous hop character. This pungent glory begins with a piney nose and a hint of citrus. Flavor reveals an intense dank combination of resinous pine, grapefruit pith, and an earthy floral bite leading to a satisfying bitter finish.
- Mørk Mal : Dark Malt 5%
- Hawaii Five-Ale : This blonde ale base beer is transformed into a tropical beer with over 100 pounds of five fruits, including peach, pineapple, mango, strawberry, and blueberry, giving you the feeling of being on a Hawaiian beach. Some Brettanomyces and tart characters balanced by sweetness from fruits.
- Hopititis C : An imperial IPA brewed with Mosaic, Citra and Simcoe hops. This beer features intense floral and tropical fruit notes with a slightly bitter finish.
- Passion Fruit Hibiscus : Tart and tropical wheat ale with hibiscus and passion fruit. Collaboration brew with Floating Bridge Brewing.
- Belgian Blond : This Belgian Blond Ale derives its unique fruity and spicy character from its yeast, most notably citrus, pear, and slight peppery notes. It is sweet upfront and finishes dry with a noticeable alcohol warmth. Despite its high alcohol content, it is still surprisingly refreshing and easy-drinking. This beer is unfiltered and bottle conditioned, having undergone a secondary fermentation in the bottle, providing natural carbonation and allowing the beer to develop in complexity after packaging. 
- Double Shot - Verve Panama Elida Estate Natural : This edition of our favorite coffee infused stout utilizes a boat load of Verve Coffee Roaster’s 'Panama Elida Estate Natural.' The Estate’s rich soft chocolate flavors open up to reveal a richly complex treat. We taste intensely satisfying flavors of chocolate cake, brown sugar, and roast caramel. A rich, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike! This is as close to simply emulating chocolate covered espresso bean as we’ve come.
- House United Coffee Stout : Our house specialty brew unites our two in house features, fresh roasted coffee and great craft beer. Brewed with six specialty malts and a light touch of lactose sugar at the end of the boil, our House United Stout is a rich, complex beer with a subtle sweetness and a big coffee nose and finish. We carbonate this one with a special gas blend that gives House United Stout a decadent velvety texture.
- Dialed In (w/ Moscato Juice) : This iteration of Dialed In is a fresh, juicy Double IPA intensively dry hopped with Galaxy and Vic Secret. Pouring a vibrant, hazy gold; aromas of grape, lemon, and light melon waft from the glass. Pineapple, and stone fruit balance with a vinous notes from the mid-fermentation addition of Moscato juice. Soft and creamy with moderate bitterness; Medium-Light bodied with a crisp, dry finish. 
- Flying Buffalo : An India Pale Lager brewed with wheat malt. Azacca and Mosaic hops added to the end of the boil and used in the dryhHop give a big tropical fruit aroma with low bitterness.
- Nameless City : Strong dark ale with notes of cocoa & apricot, velvety mouthfeel.
- Cellar Door : Over the ages the term ’cellar door’ has numerously been referred to as the most beautiful term in the English language. Upon setting out to create the first summer addition to the Stateside line up of ales; the feeling that almost instantly came to me was that of beauty & cleansing. Many summer offerings tend to lack the complexity of their bigger, colder season counterparts; so my goal was to craft an ale of extreme balance with a delicate complexity that allows for contemplation while also providing quaffable refreshment. Starting with a base of German wheat & pale malts this crisp slightly hazy foundation was then accented with a blend of Sterling & Citra hops providing a intricate blend of herbal grass & tangerine citrus flavors and aroma. To pull this all together and to complete the ’cleansing’ aspect of my vision I gently finished the ale off with a touch of white sage, lending a mild earthy spice character to the blend. Of course let’s not forget our house saison yeast that brought all the elements together leaving a dry yet intricate finish.
- The Mountain : The aptly named Mountain is a Russian Imperial Stout. Dark and forboding, notes of burnt caramel, oak, charcoal, and cream, mingle well with a deep, intense maltiness. A huge stout, yet it remains balanced and one sip begs another chance to explore the complexities.
- Saison De Banc Noir : By combining the rustic, peppery flavors of our farmhouse yeast strain with the complex dark fruit notes of roasted wheat and dark Belgian candi syrups, we’ve created an intricately delicate “Black Saison” that contains ornate notes of raisins, dark grape, and peppercorns.
- Dark Age : Humanity's path out of the Dark Age is one without end. This path carries us away from the mystical to the measurable, from the magical to the mathematical, and is a meticulous tale of progress from madness to method. Yet, we still find wonder in the magic, and extraordinary potential in the mystery. Out of this yearning for the old ways, Dark Age Imperial Stout emerges from the Whisky Barrel, its dark malt complexity and bold, yet balanced, sweetness softened by its mystical evolution in oak.
- Grand Rouge Reserve : We aged a wild red ale in oak tank for an extended period, then refermented with late harvest Oregon Zinfandel grapes. After whole cluster fermentation and aging, we transferred the beer to virgin French oak tanks for continued maturation. This beer has a beautiful toasted oak and rich fruit character, with a balanced Brett influence and delicate acidity. Low carbonation enhances the vinous nature of this beer.
- Lazy Day IPA : A West Coast IPA with complex body, moderate bitterness, vivid citrus & floral hop aromas.
- Red Wheelbarrow : Like many of our beers, Red Wheelbarrow (which started out as a pilot batch brewed by Brewer Dan Roberts) doesn’t fit neatly into a style category — think of it as a stronger, more hop-forward interpretation of a traditional red ale. Red Wheelbarrow is not, however, a “red IPA” — there is robust malt character (think raisin and fig) on both the nose and palate that temper the abundant hop presence (think citrus fruit).
- Nectarine Four (Sole Composition Series) : This bottling is part of a collaboration with Ruse Brewing. We both filled casks last summer with light saisons (the Four in our case), and fresh nectarines. They supplied us with the cask, one that carries slightly more wine character than our typical barrels, and their house Brettanomyces, a wonderfully complex strain that's both earthy and fruity. The fruit itself is the dominant element though, with the nectarines showing pungently in the nose, much like raspberries in their intensity and also providing acids and tannins that lend a satisfying heft to the otherwise extra light beer.
- Plumage : Sour double IPA with raw wheat, malted oat, milk sugar, ruby red grapefruit, white chocolate and peppermint. Hopped with El Dorado and Azacca.
- Corfu Real Ale Bitter : Dark unpasteurised ale...made from roasted barley which are harmonically combined with hops and yeast that gives an intense character and a pleasant bitterness...
- Citrus Maxima : Maximum citrus levels of grapefruit, pomelo, citrus peel and – of course – hops, make Citrus Maxima a balanced and refreshing pale ale.
- All Is Guava : IPA brewed with pink guava. Aromas of pink grapefruit and watermelon, with a slightly dry mouthfeel. Not too sweet, not too bitter, perfect for summer sipping.
- Brett IPA : Brett IPA was heavily hopped with citra and fermented with two strains of Brettanomyces. This funky, dry beer perfectly complements the citrusy, fruity hops and effervescent finish.
- Péché Mortel Édition Spéciale 2016 : As we like to try new varieties of coffee in Péché Mortel, each year we choose one or two new coffees with the help of our friends at Café St-Henri, a very small roaster in Montreal. This year, the new variety gives a unique flavor to Péché Mortel. We chose a coffee from Kenya named M’Beguka. The light roast enchances the coffee flavor and brings fruity cassis and rhubarb flavors.
- Scottish Ale : Our Scottish Ale is rich, complex, clean, and has a slightly sweet malt character. It has little to no hop flavor with some smokiness. Great with our smoked meat.
- Cosmic Ristretto : Live long and drink Cosmic Ristretto. This highly revered brew will go down in history as one of the first graduates of our Genius Lab program into our front line. Marvel at its rich black appearance with bruleed edges and mocha-colored beer foam. Breathe in its coffee aroma and sweet malts, and savor its smooth, espresso, chocolate flavor. Don’t fight its gravitational pull. This bold, complex, java-centric Baltic Porter with Espresso is irresistible. Houston, we have a problem, my glass is empty.
- Freigeist / Bayerischer Bahnhof Geisterzug Gose : Based on a recipe dating back at least six hundred years, this is Freigeist’s quirky version of the nearly-extinct traditional sour beer of Leipzig. “Geisterzug” (“Ghost Train”) spruced gose is unusually complex, funky, and full-bodied, the perfect modern-day medieval German ale.
- Black Angel : Cherry pie! Cherry pie! Cherry pie! This light and fruity ale is black in color, though your palate would never know it. Black Angel is fermented on the Wicked Wild yeast and then moved into stripped down Four Roses bourbon barrels and aged on tart cherries, sweet cherries, and Italian plums. The white oak and roast malt add notes of vanilla and graham cracker that, when blended with the tart sweetness of the fruit, bring out a robust cherry pie flavor.
- Scratch Beer 141 - 2014 (White IPA) : We’ve been busy experimenting with many of our favorite hop varieties recently, ultimately working toward a new IPA recipe. The combination of both classic and newer experimental hops from the United States and Australia paired with crisp Pilsner malt and subtle, chewy Wheat varieties has produced a wonderfully complex white IPA that exhibits plenty of intense bitterness and a broad spectrum of hop flavors running the gamut of sweet and fruity to piney and herbaceous while remaining gentle on the palate. The addition of Wheat in the malt bill provides Scratch #141 with its characteristic haze and ample, frothy head.
- Rabbit's Nutbrown Ale : This English-style brown ale has an alluring mahogany color capped by a rich foam head. Although dark in color, this is is brewed with several different varieties of premium malted barley, creating a robust body and delicious flavor profile. Its ripe fruit notes and sweet finish are counterbalanced by a subtle hop bitterness and aroma.
- Hot Mess : This rich creamy stout has got dark chocolate and banana notes that are apparent mid palate and a surprising amount of roasted coco bean.
- Cherry Seduction : Aged on over 800 lbs of sweet dark cherries
- Dark Dungeon : Our rich, bold, dark-roasted Bourbon Coffee Stout with a smooth, creamy white froth. Wonderful flavors of bourbon, coffee, vanilla, molasses and oak aging that intensify as the beer warms in your hand.
- Zebedee : A straw coloured, pale ale for the Spring, with a clean, fresh & uncomplicated taste. The hops add a crisp bitterness, making it very drinkable. Citra hops added in the hopback gives Zebedee a tropical fruit aroma.
- Santa's Boot : Santa’s Boot is a Belgian-style Tripel brewed with white chocolate, cherry, cinnamon, and Belgian Candi Syrup. With a slightly red hue and white head, this beer has aromas of spicy banana, clove, chocolate sweetness, and bright cherry. Initially this beer leads with flavors of cherry and Belgian esters, before the white chocolate becomes more prominent creating a creamy mouthfeel. Cinnamon notes come though the finish creating a smooth complex beer that isn’t overly sweet.
- Fire Ant Funeral : A traditional amber ale complexly built from a careful selection of 7 different malts. American grown hops harmoniously rount out the wonderfully rich malts. Balanced without the bite.
- Oak-Aged Abbey Dubbel : Full-bodied Belgian dark Abbey ale, aged in oak wine barrels. This complex, fruity beer gets additional notes of oak and red wine.
- Wooooo! : A refreshing Belgian-style white ale brewed with grapefruit peel and coriander. 
- Double IPA : Brewed with a strong, aromatic and complex hop mixture, this well-rounded IPA boasts grapefruit and pine flavors with a hint of pepper.
- Local's Stash Reserve Series Strawberry Milk Stout : Bold, rich, and sweet, this smooth milk stout is complemented by the addition of fresh strawberries. This beer is intense and complex, but the sweet citrus from the berries cuts through the bold flavor just enough to keep this beer balanced and approachable
- Flashlight Tag : American Black Ale. Dark, malty body that belies a crisp, approachable ale. Lightly hopped...a Dark Ale to brighten up spring days. 
- Salm Bräu Böhmisch G'mischt : The Salm Bräu Böhmisch G´mischt (means bohemian mix) has it's origin in the Czech Republic, like the Pilsner. The bohemian dark beer was the compensation to the more hoppy aromatic Pilsner beer. It was completely dark, no light went through. In the old times the beerpubs mixed this extremely dark beer with a pale beer type. We are brewing this beer type and don´t have to mix it at the bar. The dominating malt aroma remains, but the run off is significantly slimmer than the dark beer. Because of the special heating technology of our brewhouse, the intense caramel content of be malt does not overheat and therefore does not give the beer the caramel bitterness like at conventional brewhouses. In the cold season this beer is especially very popular.
- Spitfire Amber : This English style Extra Special Pale Ale is dark amber colored ale brewed with English malts, hops and yeast. Its bready character is complimented by raisin, caramel and toffee notes from fermented Dark Belgian Candy Sugar.
- Éphémère (Elderberry) : Brewed using a balanced combination of the elder's fruit and flowers, it offers an explosion of berry flavors along with subtle floral notes and hints of tropical fruit reminiscent of the Muscat's powerful bouquet.
- Venus In Furs : This classic Belgian saison was brewed with chamomile & basil to help augment the spiciness that the yeast brings to the party. This complex beer finishes bone dry.
- Apocalypse Cow : This complex double India pale ale has an intense citrus and floral hop aroma balanced by a velvety malt body which has been augmented with lactose milk sugar. With this different take on an IPA we have brewed an ale that is both pleasing to drink and, once again, “not normal.” Cheers! June release.
- Piña Agria : Explore the bright tropical aromas of fruit and melon, and transport your taste buds to a sour wonderland. A subtle sweet malt and pineapple backdrop bursts with an exotic sparkling tart finish that is refreshing and invigorating. A paradise for your palate awaits.
- Oyster Stout : Oyster Stout is brewed with Dark Chocolate and Extra Special malt for notes of cocoa, chocolate and toasted grain. Flaked oats and lactose provide a smooth body and creamy head. With Taylor Totten Inlet Pacific oysters added in the final five minutes of the boil, this sweet, yet balanced stout offers drinkers subtle hints of salty brine and the flavors of the South Puget Sound.
- Hairy Knuckles Stout : A classic American Stout just the way the Sasquatch likes it! A load of dark roasted malts is balanced with just enough hops. Smooth, rich notes of coffee and oatmeal will keep you warm through the dark days of winter. 
- Horchata Turbodog : Horchata Turbodog is based on one of Abita’s most popular brews, with a definite Latin twist. This robust dark ale is brewed with pale, caramel and chocolate malts, then fresh cinnamon sticks and vanilla beans are added during aging giving it a traditional horchata flavor. This gives the brew a rich body, dark color and deep flavors of chocolate, toffee, cinnamon and vanilla.
- Exit 1 Bayshore Oyster Stout. : Exit 1 is beer brewed with oysters. The creamy flavor of English chocolate and roasted malts harmonizes with minerals from oyster shells. Irish ale yeast adds a bit of fruitiness and a dry crispness. The rich stout is perfect for cool weather-and especially delicious when paired with a few Jersey oysters on the half shell.
- Double Dry Hopped A Street IPA : Same base grist as A Street IPA, but with a double dose of Amarillo in the dry hop. These Amarillo hops impart a powerful floral aroma with distinctive notes of citrus zest. The taste is bright, floral, and citrusy upfront, finishing with candied grapefruit and orange. As with all Trillium “Street” IPA’s, Double Dry Hopped A Street is dry with medium-light body and a crisp finish.
- Essence : This beer is the essence of Southern California. A traditional West Coast IPA with a distinct copper hue, enhanced by generous additions of navel oranges, sweet blood oranges and grapefruit, all grown in Redlands, CA. The citrus flavors and aromas intensify the zesty Cascade and Zythos hops to deliver a one-of-a-kind drinking experience. An invigorating beer with a pleasant, defining bitterness, perfect for warm weather.
- Exeter : Exeter is an American Sour Ale fermented with strawberry and lemon. Ruby red in color with an initial head that dissipates quickly, Exeter has a big sour fruit aroma with just a hint of lemon. A mouth puckering tart strawberry and sour lemon flavor is complemented by a growing sweetness. The finish is very dry.
- West Coast Wheat : Light-bodied and easy drinking, with a fruity, citrus finish. Crack one open and sip on some sunshine!
- Cuádruple : Cuádruple combines elements of Belgium with elements of Mexico, hence the name, meaning "quadruple" in Spanish. We bended a classic Belgian quad recipe by removing the standard Belgian candi sugars and replacing them with dark agave syrup. The resulting beer is a luxurious tribute to two very different parts of the world.
- Cherry Stout - Whiskey Barrel-Aged : Aged for up to 12 months in whiskey barrels, our signature Cherry Stout evolves into something even more flavorful and complex. Notes of oak, vanilla and dark chocolate are intertwined with tart Michigan cherries in a stout that seduces the palate.
- Lift Bridge Brown Ale : Reportedly the widest and heaviest double-decked lift bridge in the world, the Portage Lake Lift Bridge connects the cities of Houghton and Hancock here in Michigan's Keweenaw Peninsula. So get a lift from this American Brown Ale; a rich, dark brown color, complex malt flavor with hints of chocolate and caramel and a mild hop finish.
- Radical Fashion- Sour IPA : Radical Fashion was fermented with a mix of ale yeast, our native wild yeast, and bacteria and then dry-hopped with plenty of Centennial, Citra, and Simcoe. The resulting beer is complex and refreshing with tropical and citrus notes.
- Industrialism Nut Brown : This beer represents history in a glass. The Industrial Revolution, Machinery, and the building of an empire, Cheers to America! A nutty, maltisweet English Brown.
- Resplendent Angel : With a first strike of port and a finishing blow of bourbon, these unique barrels amplify the roasted chocolate core of the base beer and further evoke soft flavors of raisins and preserves. Complex layers of deep port sweetness are fortified by cacao nib additions from Ecuador and Ghana to finish Resplendent Angel, our Angel's Envy Barrel Aged Chocolate Porter!
- Kickin' Chicken Bourbon Barrel Barley Wine : This unique and limited offering takes one of our most outstanding beers, the legendary Chicken Killer Barley Wine, and adds even more flavor and complexity. First, we brew the Chicken Killer Barley Wine using twice the ingredients of our other beers, but only yielding half the usual amount of liquid. This concentrated elixir then sits in Wild Turkey 101 bourbon barrels for nine months, giving the beer and oak a chance to mingle their flavors. In addition to a distinct bourbon undertone, this aging process imbues the beer with notes of vanilla, wood, and caramel. The complex flavors of this beer further evolve through the natural carbonation process that takes place in each bottle. Despite kickin’ the flavors of our barley wine up a few notches, the Kickin’ Chicken Bourbon Barrel Aged Barley Wine retains the smoothness and balance that is the signature of the entire Santa Fe Brewing Co. lineup. Whether you pop one open today or stash a few in the cellar to age for a year or two, get this limited release while you can!
- The Dark Sun : Imperial dark farmhouse ale
- The Misterioso : Swimming harmoniously under a pillow of tawny brown cream lies the dark and intriguing spirit of this smooth and complex ale. Sharp aromas of mildly dark chocolate, toffee and rich caramel lead you immediately to a sip that wraps your tongue with dark roasted grains and rich stone fruit like sweetness.
- Bellwether: Gin Barrel-Aged Sour Double Wit : One of our most peculiar and delicious barrel-aged concoctions. This beer harkens back to the days when our barrel-aging program had only a few barrels in it, and one of those beers was a blend of a sour wheat beer with a double wit in a single second-use gin barrel. The result was delicious: tropical, botanical, tart, malty and very refreshing for a barrel-aged beer. We've recreated this beer adding some kaffir lime leaves for additional complexity and fun herbal notes.
- There You Are (Equinox & Mosaic) : Prickly Pear, Passionfruit, Pine(apple), Pungent.
- Barges' Mild : Bargers brown Mild uses only the finest dark kiln roasted malts, English barley and select fuggles and goldings hops to create this bittersweet dark mild with a deliciously dry finish. This is a beer for a good session drink enjoy.
- Friend of the Devil – Rum Barrel-Aged : Aged in a rum barrel from Bethlehem’s Social Still, this Belgian-Style Dark Ale begins with an aroma of spice that quickly warms the chest with a bit of dark caramel and malt richness before ending with a clean finish of dark fruit flavors of fig and raisin. Saints and sinners watch out!
- Currant Noir : Black currants, complex, sweet belgian malty body, long mature fruit finish.
- Midnight Conspiracy Oatmeal Stout : Dark and mysterious ale brewed with oats, midnight wheat, dark chocolate, victory, and maris otter malts, then lightly hopped with Chinook.
- Iron Sunrise : Iron Sunrise marries the robust hoppiness of an IPA with the lush, easy drinking qualities of a lager. Featuring a collage of rare and unique hop varieties we sourced while brewing a collaboration beer in New Zealand and on a hop-hunting expedition to Yakima, this beer sports a poppin' aroma and a complex hop flavor layered atop a cracker dry lager body.
- A Mirror For The Face : A Mirror for the Face is a drippy orange Double IPA. Brewed with oats and Sweet Orange peels. Hopped and dry hopped intensely with Galaxy, Citra, and Hallertau Blanc. Luscious notes of passionfruit, lime sorbetto, and fuzzy greenery.
- Bo & Luke : Originally an Against the Grain Brewery and Brouwerij De Molen collaboration beer. For the first incarnation, De Molen head brewer Menno Oliver hopped in a muscle car and drove straight through from the Netherlands to Louisville, KY (that's USA folks) to brew this bourbon inspired ale, and we liked it so much, we decided to do it again. We took the ingredients in bourbon whiskey (Barley, Rye, Corn) and then smoked them with cherry wood and brewed a huge imperial stout with them. Then to top it off we aged it in Pappy Van Winkle Bourbon Barrels. The resulting beer is rich, smokey and complex, with a bourbon character of caramel, vanilla and spice.
- Blueberry And Passionfruit Wild Ale : Wild Ale aged with Blueberries and Passionfruit. Fermented with Lactobacillus, Pediococcus, and multiple strains of Brettanomyces.
- Farmer's Brown Ale : A farmer's market twist to the classic American brown ale. This brown is brewed with raspberries and basil to give it a wonderful summer feel with a sweet and slightly tart aroma and flavor backed up by a darker slightly chocolatey malt. Coupled with a hint of basil offering a brite fresh herbal note, this is a dry and fruity brown ale perfect for summer!
- Descent - Imperial Abbey Ale : This deep amber Imperial Abbey Ale melds malt and earth, spice and fruit to create a wonderful vehicle to wind down the day. Belgian yeast contributes flavor notes that accent the raisins and grains of paradise used in the brewing process. With strength and stamina, DESCENT is deliberately impetuous in its mission.
- Island 1842 Imperial IPA : The Island 1842 is an Imperial IPA designed for those who prefer a bold and powerful drink. Our goal with this beer was to coax out and showcase every nuance that our outsized malt and hop bill had to offer. This beer’s hop character is potent with additions in the first wort, constantly through the boil, at flameout and then generously during fermentation. In order to balance the strong hop profile, we built an appropriately robust malt backbone. The moment you pour Island 1842 into your snifter, expect a powerful nose of spicy, floral and zesty hops. The complexity of flavor will then continue to unfold with each sip and the flavor will linger on the palate.
- Blue-Eyed Belgian Blonde : This blonde is light in body and hops, but not in flavor. The Belgian Pale Ale yeast gives it its rich fruity and especially spicy flavors. It's dangerously drinkable at 7.5%.
- Arbre Alligator Char : This variation of Arbre spent time resting in barrels treated with the deepest, boldest char possible - called alligator char, imparting characteristics of burnt marshmallows, black currant, caramelized brown sugar, charred oak and dense dark chocolate fudge.
- Brookie Brown Ale : Proof that all dark beers, like trout, are not created equal. Chocolate and caramel malt flavors are at the heart of this very accessible and drinkable brown ale.
- Session IPA : All the flavors of an IPA with a lower ABV. Brewed with Azacca, El Dorodo and Idaho 7 hops for bright tropical fruit, citrus and pine flavors.
- Three Legged Lab : This inky Imperial Stout pours black into the glass with a brown head. Aroma of roasted grain with a slight hint of licorice. Full bodied with plenty of dark chocolate flavor leads into a long, smooth finish.
- Agrumbocq : "The idea for the Agrumbocq arose first of all in the mind of our master brewer. Once again, the starting point is our white beer made by top fermentation to which mandarin juice and the natural aromas of grapefruit and lime are added. Its cloudy appearance, its natural pink grapefruit colour, its fine slightly pinkish head and its pleasantly fruity fragrance are certainly going to delight the most delicate palates."
- Derde Golf : It's time for the third wave - a beer that awakens the senses from first sniff to first sip. This sour, blended ale folds our sour, oak-aged Belgian style quadrupel with blackberries into our malt-forward, bourbon barrel-aged old ale, and finishes with a Flemish good morning kiss, for an awakening, robust and sweet & sour twist. It's complimented and balanced by the gentle, roasty character imparted from freshly roasted coffee from our friend's at Portolo Coffee Lab - a blend that was specifically selected for this complex, sour coffee ale, and a concept that was nearly a year in the making.
- Show of Hands : American IPA with Valley Malt wheat. Dry-hopped with Vic Secret - lush tropical fruit and melon.
- One Shot IPA : Enjoy the rhythm of this single-hop IPA. Calypso hops, lightly toasted Vienna malt and white wheat malt blend together in harmony. New Calypso hops add tasty citrus flavors with hints of passionfruit, pear and apple. Malts: Vienna, White Wheat Malt.
- Ulfberht : This sturdy and potent smoked Baltic porter was forged from a wealth of European specialty malts & brewed to high strength- smoky, smooth, dark and dangerous. 
- Trafalgar Cherry Ale : This gently hopped summer ale has been infused with real cherries to provide a delicate fruit flavour. This refreshing beer pours an amber colour tinged with ruby and has a strong aroma of natural cherry. A great beer to enjoy on a warm summer day.
- Mr. E : Mr. E. is the first release from our new Shotgun Series of small-batch draft-only beers. Mr. E. is a beautifully pale beer that has been aggressively hopped to achieve an exceptionally aromatic experience. Mr. E. has a dry, pale malt body which is balanced, but stands down for the wonderful and sensitive expression of the flavor and aroma of our blend of Cascade, Falconer’s Flight, and Simcoe hops. It was also steeped with the juice and pulp of mango, grapefruit, and kiwi in subtle amounts to create a depth and layering of fruit flavors and aromatic compounds that compliment the hop aromas harmoniously! Mr. E. wants you to drink him as fresh as possible, so do!
- Far West Vlaming : Our organic red ale is brewed in traditional West Flanders style. A combination of light, crystal, and dark barley malt, wheat, and oats are brewed with local whole-cone hops and a variety of select yeast and lactic bacteria. We age our red ale in oak barrels for a period of time to develop complex richness, soft tannins, and fruity tart character. The aged beer is then blended with young beer to create the desired balance of malt sweetness with a dry finish.
- Tears of the Goddess (Soursicle) : The second in a series of Sour IPA's. We first sour this beer and then hop it as a NEIPA right before its conditioned on mini marshmallows and Blood oranges. Bold flavors come together with tart oranges dominating followed by stone fruit and creamy vanilla and milk sugar
- Brewers Series No. 2 - Brett Saison : Grand Teton Brewing’s second release in their Brewers’ Series in bottles is a Dry Hopped Brett Saison aged in wine barrels. Starting with a Saison using traditional malts and hops, the brewers then pitched a simple yet complex strain of yeast: Brettanomyces Drei (Brett).
- Galactic Nova Double IPA : Brewed primarily with Galaxy Hops, the Galactic Nova clocks in at 77 IBU’s, yet the bitterness is nicely balanced with tons of hop flavor and aroma including peaches, citrus, and tropical fruit.
- Maple Bacon Coffee Porter : Evoking a complete diner-style breakfast in a glass, Maple Bacon Coffee Porter is a complex beer with a multitude of flavors at play. It pours an opaque ebony brew with a frothy tan head. Aromas of sticky maple syrup, coffee, and cream creep forth from the glass. The mouth feel is luxuriously creamy, with layers of sweet malt, toffee, and roast giving way to waves of smoke, coffee, and salted chocolate. It finishes sticky, rich, and sweet, with the flavor of maple syrup lingering pleasantly on the tongue.
- Epic / Thornbridge Stout : A pair of Kiwis brewing renowned ales on opposite sides of the planet put their heads together to produce New Zealand’s first international collaborative brew. In February 2010, Luke Nicholas from Epic Brewing Company (NZ) and Kelly Ryan from Thornbridge Brewery (Eng) created a silky, decadent yet hoppy stout. Their synergistic brew, Epic Thornbridge Stout, is a drinkable testament to the power of collaboration. Kelly has helped draw out Epic’s dark side which may just usher in a new epoch for brewing in this country.
- Kolsch : Originally brewed in Köln (Cologne), Germany, Wild Rose Kolsch is bright straw yellow in colour with a delicate and refreshing flavour. Brewed using a blend of the best Alberta malted barley, it is balanced with the addition of Tettnang, Vanguard and German Select hops. The result is a golden ale that has a gentle fruitiness and a prominent, but not extreme hoppiness.
- Bruery / Maine Fourthmeal : The Bruery and Maine Beer Company collaboration. It’s a hoppy Belgian-style ale that brings aspects of both breweries to the table: fruity, Belgian yeast esters, a crisp, bready backbone, citrus and piney hop characteristics, and a dry, hop-forward finish.
- Irish Blessing : Irish Blessing is a dark Stout brewed with an abundance of black and chocolate malts for a bittersweet chocolate finish. We collaborated with our friends and local roasters at OZO Coffee in Boulder to determine the perfect roast to complement our stout, choosing their OZO Blend to use in the brew adding earthy, roasted coffee flavors to the beer. We then age Irish Blessing on Jameson Irish Whiskey soaked in oak, imparting the finishing touches of whiskey and wood. Slainte!
- Smoked Porter : Our newest specialty beer is a smoked porter. The recipe was designed to make a porter with a slightly higher than normal starting gravity. Beechwood smoked malt is the base malt in this recipe. We have had porters here at the CBW in the past, and this beer will be somewhat similar. The porter style originated in London and was very popular in the 18th and early 19th centuries. With the introduction of pale and mild ales, the popularity of porters decreased. Porter production in England ended in the 1930’s and 1940’s. Smoked malt is made by smoking the barley over a wood fueled fire. Smoky flavors in beer were more common several hundred years ago, when nearly all grain was dried over a wood fueled fire. Alternate methods of drying the malt eliminated the need for wood to be used as a fuel source. Smoked malts are now intentionally smoky, not simply due to the drying procedure. Beechwood was the fuel source for the smoked malt in this recipe. This beer should have a dark reddish brown color. The aroma should be balanced between malty and smoky. The flavor should be chocolaty, toasty, roasty, and smoky. There should be a definite hop bitterness, but the hop aroma should be overshadowed by malt and smoke. The beer should finish with some bitterness and a bit of smoke.
- Dark Side Of The Moon Stout : A strong, dark and full flavoured beer. The chocolate malts and roast barley balance the higher alcohol, giving a beer that is creamy and easy to drink.
- Pants Day Double Red IPA : Pants Day is a beautiful red color and is the hoppiest brew we’ve concocted to date. At 8% ABV and over 4.5 lbs of hops per barrel, the brew will leave a delicious citrus, grapefruit, floral and piney hop flavor in your mouth long after the beer is finished. While just a footnote to the hop flavor, the reddish color from CaraMunich and roasted wheat malts provide some unique malt character that add to the complexity of the brew. Hops: Chinook, Cascade, Simcoe, and Centennial.
- Azacca Hose : Our Gose inspired ale, fermented and aged in oak barrels, then dry-hopped with Azacca hops. Big mango and stone fruit character from the hops coupled with a citrusy fermentation character. Refreshing acidity, and a subtle salinity.
- Sede Vacante : Sede Vacante is a blend of Barleywine aged in Cognac barrels and Brandy barrel-aged Angel’s Share and at packaging came in at 15% ABV. A contemplative beer with substantial depth, Sede Vacante imparts tones of dark fruit and vanilla, with a warming finish from the Cognac. The strongest beer to emerge from The Lost Abbey, portions of the beer spent almost 5 years in a barrel. Sede Vacante can be enjoyed immediately or cellared till the next Papal Conclave, however long that may be.
- Gold Spray Paint : Combines experimental Bru-1 hops with Citra lupulin powder for bold notes of citrus, pineapple, and stone fruit. This extremely aromatic IPA is dry hopped with over 4 pounds of hops/bbl!
- Bright - Citra : This batch of Bright was created to be a clean and elegant showcase for a notoriously delicious hop - Citra! It is crafted with a simple malt bill and fermented with clean American Ale yeast to create a flavor profile that is more a function of its vibrant fresh ingredients than an expression of yeast character. Bright w/Citra’s aroma is a citrus explosion. The taste follows suit with notes of orange juice, grapefruit, and tangerine with a gentle finish. She is dry, soft, and adequately bittered resulting in a very approachable and thirst quenching
- BarrelHouse Stout : Since the first batch our people can’t get enough of this creamy and slightly hoppy BarrelHouse Stout. It’s crafted with oats for creaminess, lactose for sweetness, belgian dark syrups for intense dark fruit notes, dark malts for chocolate and roast, and just enough hops for a balanced bitter/sweet finish.
- Cornerstone : Our Cream Ale is a smooth, soft-bodied ale exhibiting a light golden color, gentle hoppiness and a fruity aroma with a bright, clean finish. Brewed to be thirst quenching with a more moderate alcohol content than our other brews, it is an excellent quaff to enjoy out on the lake on a hot afternoon. Less filling and lower in alcohol, it is intended to appeal to experienced ale drinkers looking for a session-able beverage, as well as serve as a ‘gateway’ craft ale for drinkers who are curious about craft beers, but may find the taste and alcohol levels of most craft brewed ales over-powering. This brew is a real crowd pleaser for all tastes and appeals to both the male and female segments of the market. A great choice for a chardonnay lover.
- Wild Saison : This harvest-driven release captures the fleeting ripeness of local loganberries, married with the delicate fruity aromatic esters and spice of a mixed Brettanomyces fermentation to produce a delicate, yet complex, and delicious farmhouse ale. Primary Brettanomyces fermentation, merged with the benefits of refermentation in the bottle, results in a deliciously light, crisp, and complex beer that encapsulates our Elemental Series’ commitment to experimentation and innovation.
- Spelt Bruin : Spelt Bruin was born from another brewhouse experiment — a grist of 79% spelt, the ancient cousin of common wheat, meets our Trappist yeast strain, to make a beginning-of-fall wheat beer that reflects the feeling of the changing season with notes of fruit, spice, and caramel.
- 2011 Eisbock (Aged 4.5 Years In Buffalo Trace Barrels) : This beer is big, malty, slightly fruity, and high in alcohol. The higher alcohol is a result of the icing process where a portion of the water is frozen and removed from the beer. This one spent 4.5 years in Buffalo Trace bourbon barrels. Look for great vanilla and bourbon notes from the wood. Brilliant dark ruby red in color. Served in a snifter. Champion in the Winter Beer category at the Great Alaska Beer and Barleywine Festival in 2010, 2011, and 2013.
- Professor Moriarty : A blend of dark mild, brett dry stout, and cherry stout. A contemplative melange of flavors for you to deduce.
- Farmhouse Red Ale : This Belgian style farmhouse ale has a red hue from house caramelized sugar and caramelized malts. The initial subtle and sweet mouth feel lifts away and is replaced by delicate hop flavors. But the real player in this beer is the yeast, a complex saison yeast producing fruity and spicy notes. This ale finishes dry and is pleasantly refreshing.
- Weiner Beaver : Named after the infamous 515 Weiner Bever, this balanced wheat ale receives fruity characteristics from the Amarillo and Centennial hops with just a hint of rye flavor at the finish.
- Barrel Aged Maple Porter : The first of our Barrel Aged Brews. We took our Sap Sucker Maple Porter, aged in Pinot Noir barrels for 12 months. Expect strong notes of berries and dried fruit, combined with our dark, robust Porter.
- Juice Session : A session IPA brewed with mandaquats, papaya, and milk sugar. This beer is bursting with tropical fruit flavor and has a heavy hop bill of Citra, Azacca, Rakau, Amarillo, and Centennial hops. Clocking in at just 4.8% ABV, this session IPA is light, refreshing, and sherbert-esque that's perfect for any patio.
- Barmy : Made with 2-row malt, Galena hops, house yeast, apricots and carmelized honey. On old sailing ships, barm was the foam on top of fermenting fruit and Barmy was the adjective used to describe it.
- Emergency Drinking Beer : A one-of-a-kind session beer reminiscent of a crisp pilsner married with a traditional gose. Brightness and complexity come from additions of citrus zest, Portuguese sea salt and lemongrass.
- Regional Ring Of Fire : Regional Ring of Fire is brewed with malt smoked by Bombers BBQ and Organic Ethiopia Sidamo Quto Suke coffee from Metropolis Coffee Co. This Saison has a complex smokiness, subtle coffee tones and peppery notes.
- Henry’s Wheat Ale : Henry’s Wheat Ale is like no other wheat ale in the central PA area. Most wheat ale tend to be dry and have a yeasty taste. Although, this American styled wheat ale has a malt forward sweetness, and splash of hops to balance the flavor out. Henry’s Wheat Ale will grab your attention with every taste, and have you anticipating the next sip as the flavors do not linger. This untypical wheat ale can start one’s love affair with craft beer or make those who are more experienced enjoy a flavorful and easy drinking wheat ale. With this flavor comes a darker than normal wheat ale, but don’t be scared it will not disappoint.* I have been told this wheat closely resembles a weizenboch.
- Setting Day Saison : A beer with only moderate alcohol but full of character. Vienna malt adds a toasty maltiness while wheat creates a crisp drinkability. Comet hops bring a funky and wild hop note. Belgian saison yeast is excitingly spicy and fruity. Low alcohol, high flavour.
- Mission St. Gose : Crisp, dry, almost puckery, and undeniably satisfying, Mission St. Gose (pronounced "go-zuh" is fermented in the traditional style, using wild hops, bold spices, and slightly salted water. The result is a uniquely refreshing beer with equal elements of sour spiciness and wheaty fruit, mellowed by an enticing blend of coriander and salty sea breeze aromas.
- Sumo In A Sidecar : This is our take on a classic cocktail with an Asian twist and a cool name. An IPA with apricot and a slim hint of umami. It's crisp, fruity and perhaps full-bodied.
- Wren House Kolsch : Brewed with the traditional German ingredients and a touch of honey malt, our Kolsch is a true-to-style take on the classic Cologne beer. Biscuit like malt and fruity aromas give way to a clean finish.
- Moveable Type : Moveable Type is a farmhouse ale created in the tradition of an old world saison. We began by brewing a provision strength ale, which we then cellared for over a year with Brettanomyces. During the months of cellaring, our saison yeast and the Brettanomyces worked together to create a beer rich in tropical fruit notes, balanced by an underlying earthiness. Bottle conditioned, the beer will continue to evolve. This movement in flavor is something we love about farmhouse ales, like a printer’s type, periodically reset to tell a new story.
- Oscar's Pardon : This straw colored pale ale was brewed with pilsen malt, Belgian yeast and Amarillo hops then dry-hopped with a touch more for a complex easy drinking experience. Names after Oscar Neebe. Anarchist? Maybe. Yeast Salesman? Definitely.
- GearHouse / Waredaca - Spiral Ham Series: Volume 1 - Belgian Quad : A collaborative recipe and brew day with Cushwa's Barley and Hops', and Waredaca's head brewers. Deep mahogany color with a creamy head. Notes of honey, raisins, figs, jam, and sweetness immediately in your nose. Flavors of jammy fruits, honey, toast and caramel, with a balanced hint of alcoholic burn and sweetness to the finish.
- Brettal Head : his is our first experiment using Brett as a primary yeast (meaning that this beer was only fermented with Brett, instead of brewer’s yeast and then Brett later on). The results are subtle and delicious, producing fruity flavours that mingle well with the tropical character of the Galaxy hops. Not to be confused with our barrel-aged Brett beers, which go through the more typical long secondary fermentation.
- Tart Mango Cart : A series inspired by the iconic fruit cart vendors of Los Angeles. A light, refreshing wheat ale with lots of fresh mango and a pleasant, slightly tart
- Vanilla Bean Silurian Stout : Available October-April, our rich stout is brewed with chocolate and other dark malts as well as lactose sugar for a rich and creamy mouthfeel. We then age the beer on vanilla beans for a nice vanilla flavor charge.
- Irish Red Eye Jedi : Not too dark with just enough color, don’t let this beer fool you. Despite the color, Jedi is actually quite light with a hint of malti- sweetness lingering from the Scottish Yeast. We de signed this beer after the more robust Reds in Ireland.
- Budweiser Reserve Copper Lager (Aged on Jim Beam Bourbon Barrel Staves) : This is a flavorful American Copper Lager brewed with Two-row Barley and aged on real Jim Beam Bourbon barrel staves for a toasted Oak aroma, a deliciously nutty taste with Caramel Rye and Vanilla notes, and a smooth finish.
- Autumn Ale (2013) : Marzen Ale Hybrid. Deep red color, aromas of caramelized fruit, rich malt body and a soft bitterness.
- Double Shot - 3rd Anniversary Blend : In the year since it was born, Double Shot has earned a reputation around the brewery as one of our proudest accomplishments. We have learned a ton about the base beer and how it interacts with our favorite coffees. The 3rd Anniversary Blend is a culmination of those efforts! We brewed a bigger base beer than ever to support the addition of Guatemala Finca El Injerto, Hair Bender, and Sumatra Mandheling. The result is a rich and complex coffee beer with flavors and aromas of chocolate covered espresso beans, molasses, and brown sugar cookies… Your senses promise to be rewarded as it warms. A real treat, we think!
- Very Green : This Double IPA is created with a massive kettle charge of Australian and American hops. It opens in the glass with huge notes of ripe pineapple, pithy citrus, and dank saturated hops. As it warms it shows its depth and complexity. . . Sweet hints of malt intermingle with straight Tropicana. It has a soft but pointed bitterness and a rich, velvety mouth feel.
- 3rd Anniversary Ale : 3rd Anniversary is a West Coast style Double IPA brewed with Blood Orange and Grapefruit puree, Citra, Galaxy and El Dorado hops. It’s big, dry, and bitter with a refreshing citrusy aroma and flavor.
- Spruce Abuse : Spruce Abuse, our collaboration beer with 2050 State Brewing, is a Kveik inspired farmhouse ale brewed with Norwegian Spruce Tips from Powell Valley Hops. Spicy and fruity with notes of blackberry and citrus.
- Pulpit Ruck / Mikerphone - Rock The Mikerphone : This collaboration with Mikerphone Brewing includes inappropriate additions of Kellogg's Fruit Loops cereal during the mash and boil. It is then dry-hopped with equal parts Citra, Mosaic and El Dorado. It is truly the looniest of tunes.
- Hope In The Darkness : Dark, sour beer aged in oak with cacao nibs.
- Front Street Absurdity : Absurdity is a beautiful contradiction. Mad science! We’ve taken our deceptively drinkable Belgian Tripel and crossed it with a bold American IPA. The result is a smooth, refreshing golden beer with big citrusy flavors of tangerine and grapefruit, subtle complexities of clove, bubble gum, and smarties candies, and a drying finish. Less bitter than most IPAs; more refreshing than most Belgians. Absurdly good. Let it warm to taste the full complexity. 
- Batch 200 : This is a barrel aged mixed culture saison that was sitting in oak for 8 months before being keg conditioned for three months. This ale has a bright pineapple fruit character, a light acidity and some nice aged vinous qualities from 8 months in neutral oak. If you're wondering, we are currently on batch 408! 
- Dark Sour : Part of our Kettle Sour Series, this dark sour ale was brewed with pale malt, rye malt, light and dark wheat, and then fermented with Saison yeast. Finally, the beer was aged with sour cherries from Oregon.
- Von Pampelmuse : Berliner Weisse with Grapefruit and Mandarin Orange by Tommy Manning.
- Mango Gose : Inspired by the mountains of tropical fruit sold by street cart vendors, Mango Gose is a German-style wheat ale brewed with salt and coriander. Breaking from tradition, we also add mango and fresh lime zest for a refreshingly pleasant summer beer with a local twist.
- Bad Tom Smith : Bad Tom is a medium bodied ale with rich reddish-brown color, a small tan head and a fruity aroma. With an essence of toasted malt combined with candied nuts and a light caramel flavor, the smooth texture is finely balanced with a blend of hops and an unforgettable clean finish. The result is an all-around balanced beer with the most important ingredient of all— GREAT TASTE!
- 1864 Early American Ale : 1864 is brewed with rye, flaked barley, amber malt, and oak aged to give it a coppery orange color, medium body with a toasted, nutty complexity that is slightly spicy.
- Amsterdam / Bar Hop Nautilus : A foreign extra stout collaboration with our friends at Bar Hop. Notes of milk chocolate, dried fruit, vanilla and treacle are balanced with a velvety espresso finish.
- Palo Santo Marron : An unfiltered, unfettered, unprecedented brown ale aged in handmade wooden brewing vessels. The caramel and vanilla complexity unique to this beer comes from the exotic Paraguayan Palo Santo wood from which these tanks were crafted. Palo Santo means "holy tree," and its wood has been used in South American wine-making communities.
- Blessed Thistle : Truly unique. A reddish brown ale that is primarily bittered with "Blessed Thistle". The late addition of Goldings hops and ginger add to the flavours of this most complex of beers.
- Nelson's Column : Brewers Notes: Nelson's Column is an Old English Ale. Brimful of rich, ripe fruit. Starts slightly malty and finishes smooth and hoppy. 
- Trade Winds IPA : Brewers Notes: A heavenly aromatic, copper coloured beer. It has an aroma rich in cascade hops spilling over into clean crisp hints of citrus. Quickly followed by a rush of fruity malts that are pursued by an exquisitly dry finish, full of scented hops. A Pale Ale like it ought to be!
- Great Lakes Orange Peel Ale : In our quest to bring you the most flavourful and unique beers possible, we are proud to release this tasty spring and summer beer. Handcrafted with five specialty malts and five varieties of hops, along with just a touch of honey, we added heaps of fresh oranges and peels into the boil. A little different, you say? We sure hope so. Orange Peel Ale balances the unique flavour of oranges with generous amounts of hops to achieve a slightly fruity and refreshing taste.
- Night Hound : Unsatisfied with pale versions of liquid hop bombs, the hop hounds are relentless in pushing the IPA envelope into other styles, seeking further flavor intensity. This hoppy, black beer, explodes with roast, pine and a grapefruit citrus. It finishes clean and dry, urging the hop hound back to the glass for another deep lap of extreme flavor. Highly debated in the craft beer circles – should a Black IPA have any malt flavor? We’ve answered the question. Now, release the hounds!
- Summer Haze : A full-bodied New England-style IPA bursting with orange, grapefruit and herbal essences. 
- Zombie Tastee : Tiki-inspired smoothie-style sour ale with grapefruit, lime, sweet cherry, lactose and spices made in collaboration with our homiez Brenner Pass.
- Trump And Pump : Dark Lord Aged in Sauternes Barrels
- Mattina Rossa : Mattina Rossa is a beer that was a long time in the making. It was brewed in August of 2008 with a base of 2-Row malt and 440 lbs of local raspberries in the mash. It was then conservatively hopped with Tettanang, German Tradition and Saaz and fermented with our house yeast strain. Shortly after primary fermentation, the beer was racked into eleven red wine barrels, nine of which were inoculated with either Lactobacillus or Brettanomyces "Allagensis". After one year, we placed an additional 100 lbs of local raspberries in five of the barrels. The beer continued to age for an additional year, at which time the barrels were blended to strike the desired balance of fruit and funk.
- Noble Star Collection - Basin Of Attraction : This beer is a blend of two different, slightly stronger takes on a traditional, mixed-culture Berliner Weisse that were each aged for nearly a year in our 80 year old cypress wood lagering tanks at our Starkeller facility. The two beers complement each other with string citrusy, lemon, and pineapple notes. To further amplify those flavors, the blended beers were then heavily dry-hopped with Citra and Denali hops before being hand-bottled and bottle-conditioned. The resulting beer is vibrantly acidic and bursting with tropical fruit aromas of pineapple and citrus. Basin Of Attraction is unfiltered and bottle conditioned to allow the flavors to continue to develop and evolve in the bottle.
- Hopsynth Dry-Hopped Sour Ale : By dry hopping our blonde sour ale Basis, we developed HopSynth, a well-melded sour ale with full hop aromas and flavors. Using the freshest experimental hops available, we tailored HopSynth to have a range of hop aromas, including pine, tropical fruits, and citrus notes.
- Father Ubu : A British-style bitter brewed with dark candy sugar. Notes of ripe pear, vanilla, and marmalade.
- Reach The Bourgeois : Brewed with citrus hops as well as an array of citrus peel. Bubblegum up front leads to a tart lime, lemon, orange, grapefruit finish.
- Nutty Brewnette : Nutty Brewnette® is an American-style brown ale. A blend of four different dark malts contributes to a flavor profile that is sweet with “nutty” notes. A healthy dose of hops makes this beer hoppier and more balanced than most English brown ales.
- Venus Rising : Duplicity embodied in our visions of the Twin-Voiced Goddess... 48° from the center of the universe, rising with the morning’s beautiful light, and the evening’s desperate passions. Duality of complex light & shadow influencing how those in its path will express their passion and affection. This New-American Hoppy Ale is as complex as the two-faced Goddess, but always with its evocative eyes toward pleasure. Citra & Calypso hops combine to express aromas of tropical tangerine, mango-grapefruit, and orange-cream. As soft as our brilliant Morning Star, and as intense as the sultry Evening Star...Brilliant, bright, and shining one, let your light fill our hearts!
- Fee Fi Fo Fum : Triple IPA brewed with a colossal amount of American hop varieties and balanced with a hulking malt backbone. This brew will club your taste buds with notes of stick fresh tropical fruit, and citrus, all packed in a resinous hop punch.
- Radler : Wilson and Tommy created TW Pitchers' Radler, a refreshingly crisp blend of lager and grapefruit with a hint of blood orange for good measure.
- DAM Lager : Dark Amarillo Lager
- Level Eater 3.5 : A dark Dwarven session ale brewed with experimental hops. This beer is fit for hoisting in the best of ale horns.
- Night & Day - Italian Roast : Once again, we partner with Barrington Coffee Roasters to brew Night & Day. In order to reach the higher gravity and fuller-body of this massive imperial stout we employ a reiterated mash technique that allows us to create an unusually rich, high gravity, 100% malt wort. Pouring raven-black with a persistent creamy pale-brown head, Night & Day is seductive with aromatics of roasted dark malt, espresso, caramel, cocoa powder, dark fruit, charred toast, and subtle sweet vanilla. At a soul-warming ABV of 11.5%, this bold, imperial stout drinks velvety smooth with mellow bitterness, silky carbonation, and balanced flavors of dark roast coffee, chocolate, figs, affogato and black cherry.
- The End of Civilization in Slow Motion : "This 8.2% beer was brewed in the NE Style of IPA exclusively with Barke Pils and Flaked Oats. It is a high Calcium Chloride, low Sulfate, brew that is golden in color with a hazy appearance. Fermented with Conan Yeast, this beer casts notes of peach and stone fruit with a subtle earthiness.
- Imperial Witbier : Witbier is a Belgian style ale that is typically pale and cloudy due to a high concentration of wheat and barley protein. Traditionally spiced with coriander and Curaçao orange peel, witbiers are light, refreshing, and complex. 
- Loch Thomas Scottish WHA : Boatyard Brewing Company wanted to pay homage to Karianne Thomas Epkey; a good friend and a Chief at Kalamazoo Public Safety. Knowing her Scottish heritage and big personality, we had to brew the best Scottish Wee Heavy Ale possible. To that end, we blended a large grain bill utilizing pale ale, victory, dark caramel and roasted barley malts. We tossed in the traditional peat-smoked malt right from the Scottish moors. The Loch Thomas was hopped with traditional U.K. varieties, including Fuggles and Goldings. This beer was fermented with our alcohol-tolerant Scottish house yeast. The result was a big ale that is very malt forward. Cheers to Kariane and all the great folks at Kalamazoo Public Safety.
- Thunder Thighs : An incredible balance of rich flavors, delicate nuances and complexity. Dark fruit and bubblegum aromas mingle with caramel and plums upfront, a slight peppery note hides in the background. The silky texture brings sweet bready malt flavors into the mix, perfectly balanced by a light hop bitterness. As it warms, aromas of oranges and floral perfumy notes come into play. The fruity flavors begin to develop and shift from plums and cherries to lighter peaches and oranges. Just like climbing a mountain, the scenery changes and gets more incredible with every step/sip!
- Theophan The Recluse : Theophan The Recluse was a Russian monk known for the spiritual depth and complexity of his writings. We consider him a perfect namesake for this rich, complex imperial stout, brewed with eight specialty malts, dark Muscovado sugar and a Belgian yeast strain. Deep, mysterious, full-bodied and indefinably exotic, Theophan The Recluse is meant to transport drinkers to a place of deep contemplation, spiritual insight and inspired conversation.
- Most Excellent Stellar : Most Excellent Stellar (9.5% ABV – 80 IBU) is a double IPA brewed with exclusively Amarillo hops. Copper colored with a large white heard and beautiful lacing, this beer carries huge citrus aromas. Well-balanced from the simple malt bill, grapefruit flavors are the star of this beer. Medium bodied and finishing slightly warm from the alcohol, Most Excellent Stellar is an exemplary big brother to Stellar Ale.
- Hot Chocolate Stout : Brewed with chocolate malts and a touch of ghost pepper for a rich and satisfying Stout. Lusciously creamy, perfectly spicy, and pores dark with notes of vanilla, cinnamon and spice. Finishes warm and tingling
- Belgian Black : Belgian Black was fermented with a Belgian Ardennes yeast strain. Enjoy the rich malty features of plum and dark cherries backed with subtle spicy notes. Lighthouse Brewing Co. is a premium craft brewery dedicated to producing unique, high quality, unpasteurized beers.
- Garún Icelandic Stout NR.19 : Garún is named for the strong and brave heroine of one of Iceland's most popular folktales "The deacon of Dark River (Myrká)." A tale of ghosts, undying love, and life triumphing over death told against the backdrop of elements essential to Iceland's character: ice, snow, and flooding waters whirling dark and mysterious. The same elements that inspire this rich, intense, bold and swirlingly varied Icelandic stout.
- Mango/Mosaic : The first beer in a series of single fruit and single hop sour ales. Barrel-aged blended sour ale with mangoes, dry-hopped with Mosaic hops.
- Mélange No. 14 : Our Mélange series is a chance to roll out the barrels, roll up our sleeves and explore flavors that cannot be achieved outside of the art of the blend or by any one beer. French for "blend", this mélange fuses the mature character of some of our most vintage barrels of barelywine and old ale with the dark depth of our imperial stouts, including both Tuesday-themed releases and Share This. This mélange is one for all, with rich, complex notes and the signature kiss of oak.
- Amber Ale : Amber Ale is brewed with Maris Otter base malts, along with Crystal and Black malts from Patagonia to give it a dark, amber color with added reddish hues. It has a low hop profile, although still exhibits some earthy and floral traces.
- Short's Controversi-ALE : Loaded with hops like an IPA, yet drinks like a Pale Ale, we simply decided to call it a Strong Pale Ale. The fragrant, earthy citrus laced nose is instantly detectable. Large amounts of toasted grains and high alpha Simcoe hops form a perfect union that creates the cool sensation of toasted sourdough covered with zesty grapefruit hop marmalade.
- Bourbon Barrel Sinister Stout : This rich Stout combines real Belgian chocolate, locally roasted espresso beans and bourbon barrel aging to create an amazingly complex brew. Obvious notes of bourbon spiciness are balanced with more subtle notes of oak, vanilla and dark roast as the beer finishes with a pronounced coffee character.
- Red Ale : Our Red Ale has a blend of medium to dark crystal malts to give way to a toasted caramel profile. Mosaic, Galaxy, Cascade and Centennial hops are used throughout, giving this dry hopped beer notes of pineapple, stone fruit, and grassy hop flavors and aromas. The Red Ale has a firm bitterness that does not overpower, but balances the sweetness of the malt and then ends with a dry session-able finish.
- The Last Van Vetter : Resinous, piney hop blast with fruity notes for a true NW IPA experience & tribute to our last brew in the Van Vetter dairy tank. 
- Rye Bock : Brewed with 20% rye. This strong, dark lager is malty, smooth, and clean.
- Grand Guignol: The Encore : Imperial Oatmeal Stout brewed with blueberries and Dark Matter Coffee. This beer was aged for 18 months in 4 Roses Bourbon Barrels.
- Pistonhead Plastic Fantastic : Malts: Pilsner malt, dark caramalt and pale caramalt.
- Single Shot - Burundi Jean Clement : Single Shot is our rich and beautifully balanced coffee stout made this time with a decadent single origin coffee - Burundi Jean Clement! It pours a dense black color the glass unleashing a fluffy, mocha-like head. We experience flavors and aromas of bittersweet chocolate, coffee ice cream, and a hint of dark candy syrup. Single Shot - Burundi Jean Clement is exceptionally dense and rich on the palate while maintaining a airiness that leaves you wanting more… Burundi coffees have historically produced some of our favorite Single and Double Shot batches, and this representation is no exception - a true treat in the can paired with the embrace a late season winter storm.
- Altfränkisches Dunkel Bier : This is a dark amber lager made in the world famous brewing area around Bamberg, Germany. They are characterized by their smooth malty flavor. The Franconian version differs from the dark lagers of Bavaria by being slightly stronger and drier. Dunkels have a distinctive malty flavor that comes from a special brewing technique called decoction mashing. We are reviving the Altfränkisches Dunkel Bier from the Hümmer Brauerei in Breitengüßbach, the brewery whose brewhouse now resides in Denver, Colorado at Prost Brewing. (ABV 5.2% 25 IBU'S)
- Marquis De Mandarin : Mandarin orange fruited quick sour ale
- Smile : Easy drinking yet interesting beer featuring fruity bubblegum notes, a light body and bright carbonation.
- 2015 Estival Dichotomous : Estival Dichotomous was brewed in June 2015, with Hill Country well water, two-row malt, raw wheat, spelt, and hops. After the beer had fermented for several weeks in stainless steel tanks, we added four different varietals of melon—cantaloupe, watermelon, honeydew, and galia—all grown by our friends at Johnson’s Backyard Garden. The melons were all cut by hand and pureed before being added to the tanks of finished beer in late July. The fruit and beer fermented to dryness over the course of another two weeks, after which it was packaged on August 17, 18, and 19. 2015 Estival Dichotomous is unfiltered, unpasteurized, and 100% naturally conditioned in bottles, kegs, and casks. It is 6.0% alcohol by volume, 27 IBU, 4.38 pH at the time of packaging, and has a finishing gravity of 1.000.
- Technicolor Tripel : This Belgian beer is a complex marriage of distinctive spice, fruit, and alcohol. Brewed with bitter and sweet orange peel as well as coriander, this super charged Abbey ale has a spicy drying character and long lasting brilliant white head. Medium bodied and intense. Careful with this one, it is best enjoyed in moderation! 
- Mexican Achromatic : Brewed with an obscene amount of chocolate malts (over 150 lbs), oatmeal and crystal malts to lend a sweet, caramel malt backbone and smooth, creamy mouthfeel. Fermented with a clean, attenuative yeast strain to keep the focus on the malts and adjuncts. Generous additions of TCHO Chocolate cacao nibs, cinnamon sticks and vanilla beans to create a beer reminiscent of Mexican hot cocoa. The spiciness of the cinnamon sticks are a wonderful contrast with the rich, dark chocolate notes from the cacao nibs and the vanilla beans top it all off with a creamy, decadent sweetness
- My Turn Series: Latif : This beer was brewed by Latif. Latif is our shipping coordinator, so you can thank him for getting this very beer into your hands. And, you can thank him for the delicious, sweet chocolate flavor. Dark in color, well-bodied but smooth, this beer has a nice blend of roasted malts and chocolate. This Double Chocolate Stout is not only sweet and brewed to cellar, it’s also organic. But what else would you expect from such a wholesome guy?
- Round House Robust Porter : Black as the smoke from an old coal powered train and crafted with dark beer lovers in mind, this earthy full body porter hits you with caramel, chocolate, and toffee all while loads of hops are perfectly blended to produce a balanced beer anyone will relish.
- Witte Cap : This is our take on a traditional Belgian style Witte with a slight American twist! A hazy yet refreshing malt bill featuring White Wheat & Flaked Oats is balanced with a hint of Cascade hops to lend a bit of grapefruit aroma complimenting the citrus character of the orange peel, coriander and peaches. Over 80lbs of Peach Puree is added post fermentation to round out the finish. Cheers & enjoy this ultra refreshing Witte beer.
- Bright : Bright was created to be a clean and elegant showcase for one of our favorite hops - Mosaic! It is crafted with a simple malt bill and fermented with clean American Ale yeast to create a flavor profile that is more a function of its vibrant fresh ingredients than an expression of yeast character. Bright’s aroma is a cornucopia of citrus dank… The taste follows suit with notes of grapefruit, sweet berries, and clementine with a gentle orange rind finish. She is dry, soft, deceptively juicy and adequately bittered resulting in a very approachable yet pungent Double IPA. We hope you find this bit of a departure as enjoyable as we do!
- Critical Band : This deeply juicy stunner in the mold of City of the Sun and Booming Rollers will be replacing Aurora in the seasonal line-up next year. While our beloved red rye IPA will undoubtedly be missed, we think you’ll agree with our decision once you get a face-full of this outrageously tasty IPA. Brewed with Denali, Ekuanot, Citra, and Centennial hops, Critical Band is a blast wave of pineapple, papaya, and pink grapefruit over a crisp, restrained malt bill, before wrapping up in a soft, round finish that leaves you with warm feelings and an intense desire for another sip.
- Count Magnus Belgian Dark Strong : Tucks older brother, the Count is a mahogany slice of heaven. The soft malt nose with hints of fruit can be found in its medium bodied flavor profile. Let your hand warm the glass to bring out more notes.
- Hop Seeker : Hop Seeker is a 100% wet hop ale with fresh cut Centennial hops in the initial boil and Equinox in the dry hop. Notice a pronounced aroma profile with citrus, tropical fruit, floral and herbal characteristics.
- Caltucky : Caltucky is an American twist on a Russian Imperial Stout. Brewed with Wheat, Corn, and Rye just like a good Bourbon, then rested for 4 months on Old Forester Kentucky Bourbon Barrels. The robust richness of the imperial stout and characteristics of the rye and bourbon have matured into a complex, spicy, and flavorful stout. A marriage of Russian Imperial Stout and Kentucky Bourbon from twisted Californian minds.
- Bogie : Created by a monster hop schedule; this West Coast American Style IPA has plenty of up front hop bitterness as wave after wave of citrus and piney flavours continually wash over your pallet. A smaller grain bill and shorter boil time give this liquid gem its lower ABV and IBU; making it complex, flavourful, and sessionable.
- Pulse Wave : Baller Equinox-based double IPA. Yellow-orange and hazy; lasting snow-white head and lacing. Quintessential Grimm DIPA tropical aromatics. Dry and bracingly hoppy on the palate, with big fruit notes of peach, orange, and pineapple. Soft tingles of chive and green, resinous hoppy flavor. Some surprising spearmint/wintergreen notes make an intriguing appearance. Finishes with a firm, clean, and lasting bitterness.
- Amber Ale : Boulevard Amber Ale is an exceptionally well-balanced beer, complex yet thirst-quenching. American pale malt provides a firm foundation. English specialty malts impart a nutty sweetness, perfectly complemented by noble German hops. The deep coppery color holds the light, reflecting a ruddy glow, and the finish is clean, round, and delicious.
- Puppy's Breath Porter : Dark in color with a ruby hue with forward notes of chocolate and caramel and light toffee notes in the aroma. Flavor has big notes of bittersweet chocolate with notes of caramel and toffee and moderate hop bitterness and more caramel and toffee and slight hints of char. A big take on a classic style.
- Sexy Goodies : Hopped with Apollo, Calypso, and Citra/Mosaic lupulin powder. Initial aromas of Kaffir Lime leaves and stonefruit with tasting notes of early season supermarket strawberries and peaches from your neighborhood co-op. Gentle mouthfeel that finishes with classic characteristics found in your favorite West-Coast IPA.
- Tired Spirits : This Saison was aged for 24 months in charred American oak barrels previously used by our friends at Spirit Works Distillery to age Gin and Sloe Gin. Botanical notes followed by a subtle fruitiness and a long complex finish.
- Petite Sour Grapefruit Radler : The seventh release in Crooked Stave’s line-up of Petite Sours, was primary fermented in oak with the brewery’s mixed culture of wild yeast and bacteria, and then received the equivalent of over a pound per gallon of grapefruit juice.
- #Hopkisses : The India Pale Ale style began in urban England, but now has many interpretations. #hopkisses is a complex English-style IPA with a few American notes: fruity yeast, marmalade and citrus hop aroma and flavour, toasty malt, the slightest hint of caramel complexity, and a very smooth, but assertive, bitter finish.
- Session Fest : According to Full Sail Executive Brewmaster, Jamie Emmerson, “Session Fest is a Czech-style strong lager called polotmavé or literally “light dark or semi-dark.” 
- Solstice Oat Stout : Originally brewed only on the Winter Solstice, our Nitro Oat Stout may be imbued with dark magical properties. Exceptionally smooth, this brew also features a restrained roastiness and slight caramel notes. Similar to many Irish style stouts, but a bit sweeter and more flavorful. Locally-grown rolled oats contribute a full body and silky mouthfeel.
- Mélange No. 15 : Inspired by rocky road; brewed with walnuts, cacao nibs from TCHO and vanilla into rich, bourbon barrel-aged barleywine and old ale to mimic the flavors of the rich, nutty dessert. Lactose was added to impart a marshmallow character and an extra creamy mouthfeel.
- Systema Natvræ - Lingonberry & Edelweiss : Systema Naturae (System of Nature) is an exploration of scientific processes and ingredients exhibited throughout the natural world. This addition to the series, Lingonberry & Edelweiss, combines a sweet, tart fruit with the an herbal flower essence. Fermented with wild lactobacillus and wild yeast.
- Earl Coffee Oatmeal Stout : Earl (1911-1985) was our grandfather’s brother; Hill Farmstead Brewery rests upon the land that was once home to him and his 13 siblings. In his honor, this Stout is crafted from American malted barley, Flaked Oats, English roasted malts, American hops, Organic Guatemalan Coffee, our ale yeast, and water from our well. It is unfiltered and naturally carbonated. A silhouette of coffee and malt - an embodiment of complexity and drinkability, this is the ale that I dream to have shared with Earl. 
- Grapefruit IPA : Relying on a selection of very citrusy hops, this fruit beer starts as a straight up, solid American IPA. We take it a step further with some real Ruby Red grapefruit juice for a unique color and unmistakable flavor and aroma of grapefruit.
- Grow A Pear : Imagine yourself in an orchard, perched atop a ladder, reaching for the ripest pears on the tree. Buckets loaded you head back and hand press these juicy flavor bombs with an intent to create a beer that truly satisfies the pallet. At 6% this cream ale is made with Asian Pears handpicked by our farmhouse brewers, and really coats the mouth with the soft flavors and sweetness of the perfectly ripe fruit. With the subtle spice hints of our house propagated Belgian yeast this beer is perfect for the harvest season spent with friends and family.
- Old Ale : Dark amber beer with sweet caramel sugar flavors and rich chocolate taste, rounded out by a sharp hop presence. Slightly untraditional, a portion of this beer was aged in whiskey barrels for over 4 years, resulting in subtle whisky and vanilla notes.
- Two Blind Myces : A farmhouse style saison ale brewed with pale and rye malts, Calypso and Amarillo hops, lightly spiced with cardamon, and orange peel. Fermented and aged in red wine barrels from Alexandria Nicole vineyards with a saison yeast and Brettanomyces to give this ale its fruity and funky character.
- Goat In A Boat IPA : Boundary Bay Brewery (Bellingham) and Iron Goat Brewing Co. (Spokane) sailed together in pursuit of a powerful tropical treasure. Goat in a Boat is a passion fruit IPA that head-butts palates with a hoppy, tropical twist. A fermentation voyage with passion fruit puree and a hefty dry-hop of Mosaic, Simcoe and Amarillo present aromas of passion fruit, musky melon and bright citrus. Anticipate a hazy IPA with pungent, tart fruit flavors and tenacious bitterness The Cascadia partnership was natural with Boundary Bay Brewer Aaron Jacob Smith and General Manager Janet Lightner being Spokane natives.
- Drouthy Neibor IPA : Thirsty Neighbour is a story that had to be told; born & brewed with only BC grown barley malt, your Thirsty, Thirsty Neighbour is here to embolden you to be part of the community. With not 1 but 4 hop varieties, the magic in this boisterous neighbour is the telling of a tale of citrus, tropical & stone fruit that is not caught by a bitter witch. Go on, grab one. Touch it. Share it. Do the right thing and be a good neighbour.
- Never Enough : Notes of Citrus, grapefruit, orange, lemon; tropical fruit, papaya & rose blossoms. Dry-hop, Motueka, Mosaic & Amarillo
- Obliviate : Obliviate is a caramel brown colored Belgian Quadrupel with fruity aromatics of black cherry and apple, alongside the looming presence of notable alcohol vapors. Sweet brown sugar and hard candy flavors transition quickly to a warming, almost hot mouthfeel. The lingering effect of the high alcoholic strength creates a slight dryness, as if it evaporates from the palate.
- Cheers (2016) : Blend of bourbon barrel-aged imperial stout, bourbon barrel-aged Belgian-style dark ale, brandy barrel-aged double nut brown ale and bourbon barrel-aged Baltic porter with coconut and cacao nibs
- Pannepot : Old Fisherman's Ale is a dark ale brewed with spices. Pannepot is a term that describes the Fishing Boats from the village of De Panne. Brewed and bottled on the Deca Brewery in Woesten-Vleteren.
- Rager Red : Rager Red is a medium-bodied red ale, a malty brew with hints of caramel and toasted bread. It’s smooth and balanced, with a subtle earthy and spicy flavor and aroma from the hops and peated smoked malt. It’s the perfect beer to transition from the heavy dark beers of winter to the lighter more quaffable beers of summer.
- Belgian Resistance : "We fight the assault of German Munich malt and German noble hops with our house Saison yeast. The result is a blend of toasty maltiness, fruity esters, and a subtle clean bitterness."
- Scottish Ale : Reflecting the Scottish tradition of brewing beer with a small amount of hops so as to avoid unnecessary interaction with British traders (the bastards), our Scottish Ale is a rich, smooth, malt-focused beer that pours incredibly dark. Nutty Marris Otter malt provides deep hits of caramel, coffee, and chocolate in both the aroma and flavor. Like a drinkable kilt for your gullet.
- Windowsill : Evan Kleiman, host of KCRW's Good Food, was inspired to collaborate with Patrick Rue and The Bruery after enjoying a homemade Rhubarb Raspberry Pie. The rhubarb's fruity sourness tempered with the sweetness of the fresh raspberries and the wheat crust, begged to be bottled up in the form of a bubbly beer. Keeping the original pie recipe in mind, specialty grains were chosen to mimic the crust, and rhubarb and raspberries were used in varying stages of the brewing and fermentation process. The resulting beer is reminiscent of a fresh country pie, cooling on a farmhouse windowsill.
- Rye IPA 75 : Rye 75 IPA is a tribute to our friends along Interstate 75. The complex malt flavor in this IPA is afforded by a blend of pale barley, rye, and caramel malts. Rye 75’s malty sweetness is balanced with the spicy malt flavor from a generous addition of rye malt. In addition to its big malt profile, Rye 75 is balanced with an equally assertive dose of American hops yielding 75 IBUs. The additions of Cascade and Columbus hops, not only bitter this beer, but also lend a very citrus and floral flavor and aroma.
- There And Back: English-Style Bitter (Beer Camp Across America) : For beer folks, Chico, CA, and New Glarus, WI, are must-see capitals on the U.S. brewing map, but getting between the two is no simple feat. There and Back is named for the planes, trains, and zeal needed to connect them. This classic English-style Bitter is a complex yet easy-drinking mix of toasty malt and a fruity, herbal hop flavor.
- Hand At The End Of My Arm : Sour IPA with Cactus Pear and Dragon Fruit
- Helldorado : Part of the adventure of aging beer in retired spirits barrels is the synergistic interaction of different malt flavors with the oak and spirit flavors from the barrel. Darker beers like stouts and darker barley wines have typically been the favored candidates for barrel-aging, due to their deeper caramel and roasted flavors. Helldorado breaks that mold with a deep golden color from being brewed solely with English and American pale malts. The bready, honeyed flavors of pale malts pull out rich wildflower honey, vanilla and coconut notes from the oak, creating an overall flavor evocative of bourbon-glazed graham crackers that stands as singularly unique in our Vintage lineup.
- Harmonic : Saison brewed with raw wheat. Conditioned atop locally grown pears from @3springsfruit for many months. Very bright, autumnal, and pungent.
- Schlafly Dry-Hopped Farmhouse : Our Dry-Hopped Farmhouse Ale uses Lemondrop, Summer, Rakau and Bullion hops which are a mixture of US and New Zealand hops. While Lemondrop is a newer hop, Bullion is a vintage hop which was used for bittering lagers in the 1950’s. Even with this mixture of hops, the flavor is very fermentation forward which allows the fruity flavors produced by the yeast to really stand out. They range from tropical and citrus fruits to earthy, spicy cedar notes.
- Tres Gringos Barbudos : Named after three of our brewers who went rogue when creating this highly sessionable Hoppy Pale Lager, Tres Gringos Barbudos (3 Bearded White Guys) is cold fermented with lager yeast that allows for a clean tasting, low alcohol brew hopped with Simcoe, Centennial, and Chinook to add a slight hop complexity.
- Yolo Once : They say you only Yolo once...so we threw a bunch of rare New Zealand Riwaka hops alongside healthy doses of American Simcoe, Mosaic, Citra and Columbus. Notes of passionfruit, stonefruit, and subtle resin. Bright and unique. This international IPA comes in at 6.7% and 45 IBUs.
- Sticks N' Stones : Before the meaning of the name is revealed for that “ah-ha” moment, we must elaborate on the significance of the collaboration. Three key Stone brewers gathered together with long-time friend and Lost Abbey brewmaster Tomme Arthur in Berlin. There they collaborated on a beer representative of our presence in Germany and the craft beer crusade we have been on and never lost sight of despite all of the words of criticism. Too aggressive, too many hops, too expensive, too impossible to break into centuries of German tradition…all of that was just words. It didn’t break us. And here we are, two decades later with a foothold in Berlin and our fingertips on the international craft beer moment. In honor of that we brewed a dark imperial lager with a German yeast strain and partially aged it with wooden chips “sticks” in stone granite barrels. Ah-ha.
- Pantsless Pale Ale : A low bitterness American style Pale Ale with loads of American and New Zealand hops for huge aroma and flavor. A blend of Mosaic and Motueka hops create lively aromas of lemon, grapefruit, and dank pine for you Mosaic freaks. A gentle bitterness makes this beer refreshing and sessionable. If we put asparagus in this beer, it would make your pee smell like asparagus. That's why we don't do it. 
- (512) TWO : Our 2nd Anniversary release is an Double IPA heavily hopped with over 4 lbs/bbl of Simcoe, Magnum, Nugget and Ahtanum. This is a big, malty ale with delicate hop and rich malt aroma, complex hop flavor and sustained smooth hop bitterness. Hops are added from beginning to end during the brewing process and, like most (512) ales, this one is made using over 80% USDA certified organic ingredients. Not to be missed.
- Double Barrel Jesus : A few times in the history of craft beer it has happened that a highly praised beer rises beyond mortal stardom into a higher godly league. Usually the recipe to make such heavenly drops is thick fudge-like body, pitch black color, amazingly overwhelming aromas of chocolate, coffee, dark fruits and muscovado sugar and by all means aged in barrels and blended into a this very unique and rare tasting version standing in front of you.
- Brains Black : Brains Black is an exciting new stout from Brains. This finest Welsh stout has a bitterness and a distinctive dark malt flavour that is instantly recognisable as a true reflection of this style of beer. It has already proven extremely popular in consumer taste tests appealing to both new and established stout drinkers, and combined with its distinctive and contemporary identity, Brains Black is set to become a classic stout.
- Guillemot - GuillyVanilly (White Wax) : This iteration was conditioned atop dark Mexican chocolate and Madagascar vanilla beans for many moons. Deep vinous notes notes meet lush vanilla, ripe red berry, and a hint of fudgy licorice... We've been calling this one GuillyVanilly around the brewery.
- Stout : A decadent, full-bodied black ale dominated by dark-chocolate and caramel aromas/flavors.
- Unicorn Schwarz : Schwarz-Weizen. Roasted wheat malt gives this ale its dark color and produces notes of chocolate and banana bread. Remember the flavors of summer while eagerly anticipating the dark winter beers to come.
- Apricot Petite Golden Sour : Fruited Golden Sour
- Imperial Breakfast Stout - Woodford Reserve Bourbon Barrel Aged : IBS is our imperialized version of our Breakfast of Champions aged 20 months in Woodford Reserve bourbon barrels. Brewed with copious amounts of dark and roasted malts, this is liquid breakfast in your mug- we used an insane amount of locally roasted coffee, Ghanaian cocoa nibs, and local maple syrup rounded by oak and packing a bourbon punch to deliver a beer fitting to start your day off with. You can’t drink all day if you don’t start in the morning, right?
- The Mix: Excessive Recessive : For this Mix, we took a couple barrels of Saison and aged them on fresh, whole organic Palisade peaches and nectarines at a rate of 4 pounds per gallon. The small genetic difference between peaches and nectarines is a recessive gene, hence the name. We’ve been aging this blend for over 4 months, waiting for the stone fruit juiciness to pop out of the bottle. The time is now.
- Foggy Notion : Not quite English. Not quite American. Foggy Notion is a boozy, 100% Ozarks-born barley wine. Boatloads of malt give this full-bodied beauty a deep-copper color & light brown sugar flavor. Six months of aging nurtures hints of oak & stone fruit, making Foggy Notion perfect for sharing or sipping alone.
- Beer Camp Across The World: Thai-Style Iced Tea Ale : Denmark's Mikkeller brewery is famous for pushing the boundaries of beer, so when we decided to partner we knew the result would be a wild ride. This beer was inspired by flavors of a classic Thai Iced Tea. It;s sweet and rich, with warming spice notes and delicate fruit flavors that maintain a drinkability from the use of black tea in the finish.
- Blonde Ale : A creation from the craft-brewery movement, and also reminiscent of the German style Kölsch. Pale straw to deep gold for color. An all malt brew, well attenuated with a lightly malty palate. Subdued fruitiness. Hop character it leaves is a light to medium bitterness. A balanced beer, light bodied and sometimes lager like.
- Louder Than A Bomb - Double Dry-Hopped : Pours hazy pale yellow, foamy white head. Aromas of peach, orange and melon. Soft juicy mouth-feel, flavors of stone fruit, citrus and green guava. Brewed with English Pale and Vienna malt, malted and unmalted wheat. Hopped with Simcoe & Citra - with an additional dry hop of Simcoe Lupulin dust.
- Dub Tropical : Gose double fruited with pineapple, passion fruit, and guava
- Lunch Break (Session India Pale Ale) : Lunch Break is our hop forward session beer, built for enjoying any time of day. Whether you call this beer a Session IPA, American Pale Ale, India Session Ale, Mini IPA, or something totally different, we know that you’ll find this beer to be full of juicy, classic hop flavor with just enough malt backbone to keep things in balance. We reserve some of our favorite hops–Simcoe, Amarillo, Cascade and Centennial–to use in this beer, which gives the aroma a heady mix of lemongrass, orange marmalade, grapefruit, pine and resin. Hop heads who seek a big punch of hops in the nose need look no further!
- Piña : Piña is a light easy drinking Summer Ale made with pineapple and passion fruit. The perfect beer to run away with on those warm Summer days.
- Moxie : This copper colored brew has light aromas of fruit and pine from late and dry additions of Northwest hops. The resulting subdued hop bitterness plays well with hints of toffee, biscuit, dried fruit and nuts from the malt. Almost 15% of the malt bill consists of rolled oats to give this ESB a pleasant silky texture that helps wrap up all the aromas and flavors into a complete package.
- Sloth - Belgian-Style Imperial Stout : SLOTH Belgian-style Imperial Stout is deliberately dark as hell. The pour is slow and sluggish. Its head is menacing, becoming torn and tattered Belgian lace on the sides of the glass as you cautiously consume this brew—sip by insidious sip.
- Kyritzer Mord Und Totschlag : Mord & Totschlag ("Murder and Manslaughter") was a legendary schwarz, or black beer, brewed for the knights of Kyritz an der Knatter as early the 17th century. Famous at such far-away places as Hamburg and Lubeck in those turbulent times, this rich, robust German dark specialty beer is now offered to the (presumably) more peace loving connoisseur.
- Lingonberry Proto : Red fruit and herbal aromas are layered with soft notes of shortcake. This beer pours a blush pink with rich carbonation, and lingonberries impart a bright, pleasant tartness before a dry, subtly tannic finish.
- Wild Special B : Belgian inspired Strong Abbey Ale made with Special B malt, Pilsner malt and raw sugar. This special beer was fermented with Belgian Abbey yeast, then set to wild yeast fermentation. It is delicate and complex with notes of cotton candy, plums, and wild cherries, amongst many others.
- Duvel Rustica : Duvel Rustica Golden Ale is our long-anticipated collaboration with Duvel. It's our first Belgian-style Golden Ale, a elegant ale noted for using simple ingredients to create complex flavors and aromas. We worked closely with Duvel on the recipe and processes, yet added our own signature notes. This Duvel collaboration created a fine ale, one with all the depth and breadth of Duvel's classic Belgian Golden Ale, along with rustic notes, including fruity esters from our yeast.
- An Offering Of Passion Fruit : Sour IPA brewed with Amarillo, Mosaic and Citra hops, as well as 500 lbs of passion fruit purée.
- Verglas Vienna Lager : Our Vienna is an amber lager with a smooth flavor and brilliant clarity. One may be surprised as to how subtle the flavors are despite its dark color. Notes of caramel and toffee dance on the tongue in a perfectly balanced ballet of complexity.
- The Saucony Sessions : The Saucony Sessions is a hoppy pale ale brewed with Cascade and Centennial Hops. Post fermentation the ale is filtered over fresh grapefruit. The combination of hops and citrus flavors from the grapefruit makes for a brilliantly refreshing pale ale that is very sessionable at only 4% ABV. We package The Saucony Sessions in 12oz cans to make for easy beaching, boating, hiking, biking, camping, lawn mowing, trampolining, recycling…. anywhere you prefer not to have glass.
- Life Beyond Death : Leaving behind a legacy is a desire that lives within us. Some beers want the same. Our black saison is brewed with peppercorns and dried currants creating an intense dark malt presence. The layers of flavor will linger beyond the last sip.
- Ottonator : Big Malty lager brewed in the style of the doppelbock. Rich flavors and a deep red color highlight this complex cold weather favorite.
- Summer Jam - Strawberry, Sweet Dark Cherry, and Pinot Noir Grapes : Mixed Culture Red Wine Barrel Aged American Golden Sour Ale refermented on a massive amount of Strawberry, Sweet Dark Cherry, and Pinot Noir Grapes.
- Sour Cherry Pineapple : Our series of fruited American Sour Ales come from a love of fresh fruit flavors combined with mouth-watering acidity. We take the same golden sour base beer and referment it with different fruit combinations. Cherry and pineapple, while distinctive, are what cocktails and dreams are made of. Explosive fruit notes erupt from the glass, and one is left with a quenched thirst, yet thirsty for more.
- In Perpetuity : In 2014, I brewed an American Pale Ale - Beneficiaries of Chance - in celebration of marrying the love of my life, Lauren (aka Tree House L-Dog). On the eve of our first anniversary, I brewed another beer for Lauren, In Perpetuity. It hopes to celebrate foreverness - in love, passion, and regardless of circumstance - the notion that what is good and beloved will last forever. In Perpetuity is brewed with a simple malt bill and two of my favorite hops - Citra, and Nelson. It pours a hazy bright orange in the glass and mixes notes of tropical fruit with a strong citrus backbone. Soft, and eminently drinkable. I hope you enjoy it. 
- Dia De Los Muertos Czech : Dark lager with Mexican mole spices and chocolate.
- OG Sailing Solo... Citra : Single Hop IPA, unfiltered, and brewed to emphasize what our newest crop of Citra can provide. We get huge mango notes , papaya, and even more tropic complexity.
- Mutton Buster : The Mutton Buster combines a roasty flavor with notes of chocolate and nuttiness that creates a full flavored brown ale. While it is malt focused, there is mild hop bitterness with an earthy hop flavor. The Mutton Buster may be dark in color and heavy on the malt flavors, but it is sessionable enough to have a few any time of the year.
- I Will Not Be Afraid : We are excited to welcome a new member of the Tree House Imperial Milk Stout Family - I Will Not Be Afraid! Brewed with an assortment of chocolate, roasted, and pale malts and carefully dosed with cacao and coffee, I Will Not Be Afraid is an immensely enjoyable Tree House Imperial Milk Stout. We taste intense syrupy dark chocolate, caramelized candy sugar, chocolate covered espresso beans, and a hint of cherry cola. This beer is luxurious and silky, like chocolate clouds, yet never relies on an overly saccharine complexion to bring out the intense and complex flavors we have worked so diligently to impart. We welcome you to enjoy it by the fireplace as we head into the cooler New England seasons.
- Power Porter : Pale and black malts with just a touch of wheat give this traditional English dark an exceptional smoothness.
- Presidio La Bahia : Presidio La Bahia Black Hefeweizen is our most unique and popular offering named in honor of Texas’ most historic fortress. Traditional hefeweizen aromas greet you with banana and bubblegum. The body takes a complex twist with light roast flavors co-mingling with dark chocolate notes culminating with a spiced clove finish. The flavors are complementary to each other and balanced, and this beer is deceptively light and easy to drink.
- Unplugged Abt : Belgian Dark Candi Sugar encourages the decadence of rum, raisin dark chocolate and sherry like fruit tones to conspire happily in almost 20° Plato.
- Stone / Hand And Malt Sujeonggwa Red Ale : The collaboration brew is a Sujeonggwa Red Ale similar to the traditional Korean dessert punch. This beer has a cinnamon aroma and taste, backed up by dried fruit from the persimmons, and finishes with a hint of spiciness from the ginger.
- Battenkill Ale : Whether you are doing a little fly fishing here on the Battenkill or watching your favorite team on the tube this ale will be the one to have. A little brown in color but not dark in taste, with subtle hints of coffee. This ale will become a favorite after the first taste.
- Mikkeller NYC / Casita Cerveceria - Stop Shouting At Me! : We’re pushing the limits of our system, and brewing bigger and badder beers- this one with our buddy Ryan from Casita Cerveceria. This 12% Imperial Stout is adjunct’d silly with cocao nibs, cinnamon, hazelnut coffee, vanilla beans. It’s dark, deep, and roasty.
- Bbbrighttt W/ Citra : BBBrighttt w/ Citra was created to be an intense yet elegant showcase for one of our favorite hops - CITRA! It builds upon the base beer resulting in an amplified flavor profile as a function of additional kettle and dry hopping from the base recipe. It is an intense and fruity concoction that tastes much like fresh squeezed orange juice. We find it to be tremendously drinkable in spite of its stature, and we believe it is the perfect beer for those in search of intense flavor and supreme refreshment. It's everything a Double IPA should be! Enjoy!
- Beautiful Liquid - Double Dry-Hopped : Double Dry Hopped Beautiful Liquid is an 8% Double IPA hit through the process and Double Dry Hopped with lots of Citra and Motueka. The result is some serious tropical fruit flavors.
- Scratch Beer 159 - 2014 (Kölsch) : The next installment in our Scratch Beer Series is a popular German style known as Kölsch. Developed in Cologne, Germany, this particular beer is warm fermented, then cold conditioned (or “lagered”) to bolster the fruity attributes present in the Kölsch yeast strain. Pale and straw-colored with a foamy white head, this refreshing, medium-bodied ale offers subtle hop bitterness and a slightly dry finish with hints of white grape, spiced apple, and citrus fruit.
- Nightman : Brewed with German debited dark malts, Vienna and pilsner malts, hopped lightly with German Huell Melon, and fermented six degrees lower than our other ales, Nightman is crisp and smooth with an attention to malt, not hops. 
- Tail Rocker Imperial Red Rye IPA : Tail Rocker Imperial Red Rye IPA. It's a great beer. Oh, you need more? Because in the cold season you need a beer that will rock your tail off. Or knock you on your tail. Or knock your rocks off. Or tail your...rocker? Or we've been drinking wayyyyy too much of this 7.75% ABV beer. Lots of spicy rye malt! A generous amount of dark, toffee-like, English crystal malt! Citra! Connecticut-grown Chinook hops from Pioneer Hops of Connecticut! More Citra! We're pleased with this bold yet surprisingly balanced brew. Tangerine, pine, spices, and a comfortable warmth in your belly. Yum.
- Barleywine : A rich, full-bodied ale showcasing caramel, toffee, and light chocolate malt flavors. A warming and complex aromatic finish, with moderate bitterness and mild alcohol presence.
- Born With Teeth : Brewed with massive amounts of oats and flaked wheat, and taken over the edge by dark maple syrup.
- Forest Queen : An IPA collaboration with Bunker Brewing of Portland, ME. Some of their hops, some of ours. Simcoe. Cascade. Amarillo. Azacca. Eureka. Hull Melon. Bold tropical fruit and reainous pine flavor and a dry juicy fruit taste with a slight pleasant bitterness. Left unfiltered for maximum hoppy goodness!
- Majestic Mullet Krispy Kolsch : Majestic Mullet Krispy Kolsch is a golden ale with notes of cereal and grain. Balanced by hints of floral hop aroma and an accentuating bitterness, the nuances of the yeast add a fruity, vinous note. 
- Havnor : This impossibly tasty beer is the result of immoderate amounts of Mosaic, Chinook, Simcoe, and Nugget hops, combined with a crisp, meticulously restrained malt bill and fermented with ale yeast of the Chico persuasion. What arose from this mighty union is an unbelievably crushable IPA with a big, fruity nose and the kind of brilliant, clean finish that will leave no doubt as to whether or not you have made the correct beverage decision.
- Humboldt Range Double IPA : Our second double IPA features New Zealand Green Bullet hops and USA Mosaic hops. Sweet peach, fruit cocktail aroma and flavor with a green/earthy tone. Modest bitterness. Some might say this beer has dank-like qualities, hence the reference to Humboldt. We lived in Humboldt County, CA while Steve was head brewer for Lost Coast Brewery in 2009 - 11 and we were in the Humboldt Mountain Range in New Zealand when we got engaged in 2004.
- Kent Falls / Steady Habit Sparkle Boots : Mango passion fruit IPA brewed in collorbation with Kent falls.
- Alexa : A big hop bomb, complex in both aroma and flavor with notes of tangerine and tropical fruit. Made with Citra, Mosaic, Ella, and Cascade hops. 
- Schwarzbier : The Duck-Rabbit Schwarzbier is a refreshing summer lager (sometimes referred to as a "black pils"). In true Duck-Rabbit fashion, we've made ours extra schwarzy! It's very dark and quite roasty. Lots of Hallertau hops give this brew an authentic German character.
- Woodbooger : A dark roasty brown ale brewed with organic coconut sugar, dark Belgian candied sugar, and aged with vanilla bean.
- Brute & Blaggard : An experimental beer which pairs black-eyed peas, Roasted and Dark Malts and ample amounts of hops to form an exquisite black IPA.
- Hefeweizen Ale : A true Bavarian wheat yeast, sixty percent wheat malt, and German hops make Santa Fe Hefeweizen Beer as true to the style as any American rendition can be. German Hefeweizen, with its hints of banana and clove, its delectable, spicy, hops, and its pale golden color, is becoming increasingly popular in America’s craft brewing world, and with good reason: hefeweizens are both light enough to please light beer drinkers, and complex enough to please true micro-brew connoisseurs. To mimic a classic German Hefeweizen, after pouring your Santa Fe Hefeweizen into a glass, swirl the last few drops in the bottle to loosen the yeast from the bottom, then pour the yeast over the top of your beer.
- Daddy Fat Sacks IPA : Pale Orange in color with aromas of tropical fruit, stone fruit, grapefruit, and citrus. Four specialty malts in subtle additions leave the ale with a slightly toasted caramel flavor. Five different hop additions impart just enough bitterness without the astringent and bitter aftertaste. A mix of American flavor hops round out the floral and citrus esters. Large sacks of dank hops are then added to the conditioning vessel and aged several days to impart all the wonderful citrus and floral aromas deep into the beer.
- A Fantastic Voyage : This All-American NEIPA features an abundance of Amarillo, Columbus and Simcoe-all harvested from the Pacific Northwest. Beginning with a flowery tangerine aroma, this brew shows its depth with a distinct grapefruit punch before finishing with a spicy melon tang. Let this 6.5% brew take you on A Fantastic Voyage!
- Breaking Bud : Old school meets new school in this fresh approach to the classic IPA. At 50 IBU’s and 6.7% ABV, Breaking Bud features the restrained bitterness and alcohol of a classic IPA with newer tropical fruit hop flavors and aromas of Mosaic. Also in the hop mix are Simcoe and CTZ, creating layers of mango, passion fruit, pine and dank. A malt bill with a pinch of crystal malt and a hefty dose of flaked wheat keeps the beer crisp while adding flavor complexity.
- Warrior Monk : Beginning with the distinguished, complex nature of Belgian pale malts and Abbey yeast, the Warrior Monk steps into view. Roasted barley and chocolate malts reveal boldness. Fuggle and East Kent Golding hops give slight smiles, aware and ready. The raisin and toffee notes of Special B malts sweetly end the experience. Most walk away from this beer enlightened with a new appreciation for what Belgian-style beers are and can be.
- Back Forty Bock : The “Back Forty” is property commonly found on the outskirts of the Wisconsin family farm. Here uncultivated acres wait prime for adventure- forts, tree houses, rope swings and first kisses! A place to run away, to camp, to climb, to build, to play. Not actually home but not too far away. That’s the Back Forty. The beer you hold is similar both dark and adventurous still smooth and familiar. Here’s a beer you can enjoy without pretense or explanation. Every mind requires some acres of possibility, space for dreams, the great escape, everyone needs a Back Forty.
- The One Horned Wonder And His Fanciful Flying Fresno : This may be the craziest idea we've had yet but who better to collaborate with when doing something crazy than world renown cocktail lounge The Aviary? We brewed a double IPA with Citra and Simcoe hops then we added passionfruit puree and rotary evaporated fresno chiles. (Rotary evaporation leaves behind all the capsaicin normally found in chiles. So, the resultant liquid has the essence of a fresno chile and none of the heat.) The finished product is a sensory experience unlike any beer we've ever had. There is a wonderful hop aroma and slight bitterness that plays wonderfully with the tartness of the passionfruit and the distinct characteristics of the chiles. Drink as fresh as possible. Look for The One Horned Wonder on the bottle list at The Aviary as well as paired with a dish on the upcoming menu at Next.
- Blue Bridge Double Pale Ale : An emerging new world style, this double pale blends north-west and noble bittering hops and finishes with old world noble aromatic hops to create a complex and floral hop profile. This beer is superbly balanced, masking its strong body and making the beer very drinkable. Beware!
- King Royal : King Royal is our Baltic Porter brewed with a seriously huge variety of specialty malts and a touch of malted oats. Hopped with a bit of Chinook and fermented with lager yeast, then lagered for three weeks. Dense notes of dried fruit, dark bread crust, and a touch of coffee. Artwork done by the great @mikeillustrated
- Grass Monkey : Spring got sprung with this funky monkey. We dropped a big stash of Lemondrop hops into both the kettle and the dry hop – delivering a big citrus blast – and topped it off with a Lemongrass addition for a refreshing twist. Light in body with bright citrus notes, this is an extremely complex but very easy drinking brew. 
- Devil Anse IPA : The Devil Anse IPA is a medium bodied American style India Pale Ale. Featuring a blend of Australian and Pacific Northwest hops; lending to a balanced bitterness of citrus and tropical fruit characteristics. The complex hop flavors are balanced by a blend of malts; including American 2-Row, American Pilsner, and British floor malted barley. At 6.9% abv and 65 IBU’s, no feuding is necessary when you enjoy this refreshingly smooth IPA.
- Warchild IPA : Warchild IPA does not back off, seriously. Aggressive hop flavor and bitterness with dank notes of tropical fruit, pine, concord grape, straw and green pepper are the key markers for this ripped bodied brew.
- AleSmith / Pizza Port - Logical Choice : We've finally teamed up with our friends at Pizza Port Brewing Co., one of our favorite breweries in San Diego. When deciding what to make, we figured something excessively hoppy was the logical choice, and so this collaboration brew was born. This triple IPA is an intensely hoppy and bitter San Diego-style IPA. The light malt character and light body allow aggressive notes of pine, mango and citrus fruits to overtake the palate, while a dry finish allows it to remain crisp and refreshing. Make the Logical Choice and enjoy this beer immediately, much like the brewers did leaving work to enjoy it in sunny San Diego. Cheers!
- Chimmer : A complex, fruit-forward and well-rounded IPA brewed & dry-hopped with Azacca & Falconer's Flight hop blend. Punchy cantaloupe and sweet berry aromatics flow into soft resin and pine on the palate. Named for our friend and fellow beer geek Jason Chimera of the Washington Capitals.
- Sliced Nectarine IPA : The inspiration for this beer came in the form of a summer farmers market and the abundance of fresh fruits and produce. The resulting IPA showcases a bright tropical aroma of stone fruits that balances the grapefruit acidity of the Chinook hops. The beer’s crisp profile refreshes and delights taste-buds and craves pairings such as slow-roasted pork shoulder or a slice of warm peach pie.
- Crescent Moon ESB : A great way to warm up a cool evening. A dark, rich, full bodied ale, the Crescent Moon quenches with its sweet, malty rapport.
- Scratch Beer 201 - 2015 (India Pale Ale - Ales For ALS™) : For the third consecutive year, we’ve partnered with the nationwide Ales for ALS™ program to brew a distinctive IPA to benefit the ALS Therapy Development Institute (TDI), the world’s leader in ALS research. Loftus Ranches, one of the Yakima Valley's longest running hop farms, has partnered with Ales for ALS™ to develop the proprietary hop blend we used exclusively in Scratch #201. This blend features Equinox and Mosaic varieties with five experimental hops to provide a broad palate of tropical and citrus fruit as well as distinct earthy and woody notes. So raise a glass to this worthwhile charity, because Tröegs will donate a portion of all proceeds from sales of this beer to the ALS TDI. Cheers!
- Ella Extra Pale Ale : There’s now even more “extra” in this beer. We took our original XPA malt recipe and substituted in an Australian variety of hops named Ella. This beer displays impressive notes of tropical fruits and coconut.
- Squatch Ale : This big, malty Scotch ale presents a wealth of complex flavors. Not too dark with a little bit of initial sweetness, it finishes dry. This beer will put hair on your chest and like our buddy Squatch, maybe all over!
- Tropicmost Passionfruit Gose : For us, this Old World-inspired beer is mile zero - the point at which we faithfully spin the needle on the compass and follow at will. From the warmer climates of equatorial lands, this Gose takes its tropic inspiration. Brewed with tart passion fruit and flavor-brightening sea salt, Tropicmost Gose is a roadmap of the Southern Americas. Cheer to moving until direction is found.
- Ace Hill Vienna Lager : THE ACE HILL VIENNA LAGER is an easy-drinking amber lager. It’s slightly darker and more medium-bodied than our Pilsner. The flavours from the slow-roasted caramel malts balance finely with the Noble hops, creating a flavourful beer with a nice amount of character and a sessionable profile.
- Feral One Batch 5 : We humbly offer you Feral One on the occasion of our Fourth anniversary. Feral One is an annual blend of our best efforts, from hand-selected well-aged barrels, chosen by the Masterblender and Barrelmeister. An earthy funky nose gives way to complex ester notes of dried apricots, strawberry, guava and slight orange zest. Toasted mature oak, lavender, vanilla and cinnamon lurk in the background. A mouth-watering acidity and soft tannins are punctuated by a firm carbonation. Savor now, or age longer for a special occasion. Santé!
- Freshman @ Life : A light fruit aroma and flavor leads with this beer, with a low noble hop aroma. Unfiltered and straw color with delicate white head. Clean and crisp but don't mistake this beer with what you drank in college.
- Cherokee Street : Cherokee Street Beer is a dry-hopped Kölsch brewed with American and Australian hops. This beer is light and smooth with a very mild bitterness and delicious fruity undertones. Citrus and tropical fruit dominate the aroma and are backed up by a crisp, clean finish. Cherokee Street Beer pours golden in color with a firm
- Little Wolf IPA : Little Wolf is a well-balanced IPA that has notes of tropical fruits and hints of pine with just the right amount of bittering hops added.
- Wheelchair (2011) : Brewed in the tradition of British-style Barley Wines, our 2011 offering displays burgundy/brown hues, a thick off-white head of lacey foam, toasted malt, a strong presence of raisiny, vinous fruit aroma and warming alcohol. Crafted with British Marris Otter, dark crystal and aromatic malts, liberally hopped with Glacier and East Kent Goldings, we also added 60 LBS of locally sourced Washington State Clover honey to the boil kettle. With its’ coating, silky rich mouth-feel, and complex interplay of deep caramel malt, ripe fruit aroma and sturdy alcohol, 7 Seas 2011 Barley Wine is a colossal, yet refined brew, perhaps best savored in the Ultimate Proper ‘Brandy’ glass, cheers!
- Working Man's Porter : An ale of true merit, brewed in the tradition of England's Industrial Revolution, an age of rough-handed factory workers, a time before the weekend existed. Hearty and truly robust, this Porter's body is built with complex English brown and black malts, and refined by Brambling Cross hops, which lend notes of herbs and black currants. It pairs well with oysters, shepherd's pie, and sitting down after a long day. ABV: 5.2% IBU’s 30
- Initiation : This session IPA is intended for those who love hoppy beers but would like to back off on the ABV’s. Fruity and bubblegum aromas tickle the nose along with grapefruit and lemon peel . This IPA has a very pleasant citrus hoppy taste and finishes with a bitter bite.
- Dunkel : Our Dunkel or dark lager is brewed in the traditional Bavarian style. With its pronounced, warm Aroma, malty taste and a finish reminiscent of fine coffee, this beer will please the senses – even for the most generic beer drinker. Don’t let the color fool you. This is not a strong or “heavy” beer. The Gunpowder Falls Dunkel is brewed with five different malt types and is lightly hopped.
- Stowaway I.P.A. : Bold, complex flavors with a solid malt backbone and assertive hop profile, along with cold conditioning, give this beer its crisp, clean, hoppy finish. Deep amber-to-orangish in color, Stowaway pours with a nice, creamy head; a huge hop aroma of citrus, pine and grapefruit notes; and a big, complex, and intense hop flavor from the 5 different hop varieties and double-dry-hopping procedure used in making this beer. The malt flavor up-front turns dry and crisp; Stowaway is full-bodied but with a dry finish and pleasant, long-lasting, hop aftertaste. This I.P.A. definitely leaves you wanting more.
- 100 Mile Ale : The 100 Mile Ale is a full flavoured amber ale, with lightly toasted malt flavours, caramel and toffee notes, and a well balanced bitterness derived from Ontario Chinook and Cascade hops. The aroma is dominated by grapefruit and light citrus notes.
- Pappy's Porter : In honor of our brewmaster's grandfather who attempted to homebrew long ago back at the family farm, this beer is a full-bodied, London-style robust porter that has a black color with a deep-red tint and strong roast malt flavor balanced by high hop bitterness & aroma and fruity esters. Although most of Pappy's beers exploded, we're hoping this one does not, at least not physically. To Pappy!
- Jobu - Rum Barrel Aged : Let this smooth brown ale melt away your chill. Aged for 6 months in rum barrels, this ale is infused with the flavor of the Caribbean. Toasted caramel malt is perfectly complimented by the dark rum character imparted from barrel aging.
- Treble Monker Rum Barrel-Aged Belgian-Style Tripel : This beer is brewed with lightly kilned malts -- which give it a beautiful golden color -- and cane sugar to raise the alcohol content and lighten the body. Kilning is the process that dries and partially cooks or browns the malt, imparting a variety of colors and aromas. The beer is fermented with a Belgian yeast strain that imparts notes of apple, citrus, banana and a subtle peppery spice. After fermentation, the beer is aged in rum barrels for four months. During this time, the beer takes on flavors of wood, vanilla and rum. This smooth brew clocks in at 8.5% ABV and has a complexity that will keep fans coming back for more.
- Tropical Rumble : Session IPA brewed with mango, peach and passionfruit. Heaps of fruity Mosaic hops were added to support the tropical flavours and add a hint of bitterness. A real thirst quencher!
- Double Milkshake IPA - Strawberry : Double Strawberry Milkshake IPA is the latest blown out drippy iteration of our psychedelic Culinary IPA series dreamt up in tandem with our brothers at Omnipollo. This is an amplification of the one that started it all over two years ago... Strawberry Milkshake IPA. For this brew we actually went way over our "normal" usage rates for fruit, and added almost 2.5x the amount of fruit that one of our Double Shakes would call for. As usual, we used double he amount of Madagascar vanilla bean and double the amount of hops. This one is a mind bender.
- Hermanne 1882 : Hybrids are common in the world of viticulture, as growers attempt to produce the best and most tolerant grape. Hermann Muller, of Thurgau Switzerland did just than in 1882 as he crossed Reisling with Madeleine Royale to create the Muller-Thurgau grape. Now, a new hybrid has formed at Oakshire as our Brewmaster worked with Anne Amie Vineyards to create this beer/wine hybrid. We used Anne Amie's classic Muller Thurgau grapes and artfully blended it with a Belgian Golden Ale and matured it with Brettanomyces in Anne Amie's Pinot Noir barrels for a year. Hermanne is light and crisp, with a complex fruity middle and dry tannic finish.
- Hobbit Juice : Single hopped with Nelson Sauvin. This floral beer offers flavors of white wine and stone fruit.
- Banana Hammock : Aged in dark rum barrels.
- Tripe à 3 Brett : La Tripe à Trois est un clin d'oeil au style belge triple. Normalement de couleur blonde et tirant près de 9% d'alcool, la Tripe à Trois n'en fait pass exception. Cette grande bière à déguster à l'apéro est composée de malts québécois biologiques et de houblons européens. Bien que l'alcool colle aux parois buccales, les saveurs des levures enrobent le palais pour offrir une expérience gustative typiquement belge. Accompagnée d'un cheddar fort, cette triple saura plaire aux amateurs de blondes qui, sans équivoque, sortent de l'ordinaire. Les amateurs de bières complexes seront heureux d'apprendre qu'une partie du brassin repose en fût de chêne. De plus, une seconde partie du brassin fermente dans un deuxième fût de chêne avec des levures de type Brett-anomyces. Méconnues au Québec, ces levures sauront surprendre l'amateur de bière de tout acabit.
- Saison De Pamplemousse : Translating to Season of Grapefruit, this is a wheat saison brewed with a blend of belgian yeasts with Oroblanco and Ruby Red Grapefruit zest and juice added.
- Sunrise : Sunrise is a perfectly balanced German style "Weissbier" (Wheat beer). Fine fruit notes underline the refreshing taste.
- The Newporter : Medium to full bodied porter with a smooth mouthfeel. It has chocolaty and nutty notes and is quickly becoming a Newport favorite!
- Holy Mole : This amber ale is mildly malty medium bodied, 5.5% ABV and inspired by the mole sauces of Mexico. Our amber ale has been aged on cocoa nibs, ancho, chipotle, pasilla peppers and cinnamon bark. The resulting beer is red to brown with a pronounced chocolate, nutty nose, with hint of cinnamon and fruity raisin even tobacco flavors from the dried and smoked peppers. Flavor starts chocolaty and ends with spice from the cinnamon and a touch of heat from the chiles. Enjoy with dinner or by itself!
- Samuel Adams Kosmic Mother Funk (KMF) Grand Cru : Kosmic Mother Funk is a one-of-a-kind Belgian ale fermented with multiple micro-organisms including Brettanomyces, Lactobacillus and other wild critters found in the environment of our 150 year old brewery. KMF is aged in large oak barrels which impart unique flavors into the KMF as it develops its flavors for over a year. Wild yeast and different bacteria in the tuns impart unique spicy, fruity, and bright tart characters to the beer. The porous character of the oak also allows air to slowly seep into the beer during aging and this long slow micro-oxidation through the wood smooths out harsh flavors. 
- Jim Is Workin' Hard : WE LOVE THE SESSION IPA, and it occurred to us that we currently only offer our 18-WATT IPA currently as a permanent offering in this category. Well, no more! JIWH features all PNW hop varieties (think classic citrus/pine/resin rounded out with a halo of stone fruit) delivered with velvet glove smoothness – soft, creamy, full-bodied and punching much harder than it’s weight class would suggest.
- Juggling Walruses : There were a lot of balls in play. And heavy lifting. You see, in relatively short order, Bruery Terreux had become quite robust. We had amassed a substantial amount of filled barrels, from seasonal releases, one-time treats and cherished smaller batch experiments. The art of the blend beckoned, and we had our pick of the litter (or would that be herd?) For such a mysterious beer that became known around the office as Juggling Walruses, Tart of Darkness was the perfect place to begin, making up the highest percentage of contributing barrels. But it wasn't just Tart of Darkness as you've come to know it. About two-thirds of the barrels were wine barrel-aged Tart of Darkness; and the other third of the oak barrels from the sour stout were particularly young. Black currants were added to all these barrels, introducing a less familiar fruit to our lineup, with a darker hue and new nuances to the sour beer flavor profile.
- Rest : Dark Ale aged in bourbon barrels and finished in wine barrels
- Meadowland : Meadowland is a Scottish Ale brewed with Heather, Chamomile, and Orange Blossom Honey. This light brown ale is brewed with only 4 ounces of hops and is bittered with Heather at both the beginning and end of the boil. Meadowland has a rich floral aroma with notes of toasted malt and sweet honey and a flavor that is comprised of nutty malt and Chamomile tea. This unique and historical brew is medium-bodied, smooth, and finishes clean.
- New Year's Resolution Doppelbock : When the weather outside gets frightful, beer gets stronger, and while every brewery seems to have a winter seasonal, every brewery and their brother seems to have a Christmas beer. Meanwhile, everyone’s favorite, debaucherous follow-up to Christmas is left out in the craft beer cold, so to speak. So what better way to honor that reset button of holidays, and buck the Christmas beer trend, than to brew a beer for New Year’s Eve? Ours is a massive doppelbock, loaded with malt sweetness and deep dark fruit notes, and sporting a hot 10% ABV.
- Cat Moves : 3-4 mystery barrel aged beers blended with 2013 Dark Lord.
- Bay Hopp'in Session IPA : Session IPA made with mango, lemon, and passion fruit.
- X-Ray Shoes : Aged on fruit
- Oppermann's Bourbon Barrel Aged Plead The 5th : Dark Horse Plead The 5th Russian Imperial Stout aged for 20 months in 2 barrels of Elijah Craig 12 Year and 1 barrel of Eagle Rare Single Barrel hand selected by Jeff Oppermann and then blended. Sold exclusively at Oppermann's Cork N' Ale in Saginaw, Michigan.
- Beat Pulsing : New England style rye IPA. Citrus and tropical fruit notes from Lemondrop, Nugget, and Azacca hops. Juicy!
- Pineapple Tangerine Fruitsicle : Juicy, fruity, slightly tart ale brewed with lactose, Pineapple and Tangerines added.
- Tropicália : A balanced, soft, and juicy IPA. Ripe passion fruit and citrus hop aroma lead to a full, fruit-forward hop flavor that washes over the palate, ending with subtle bitterness. Some folks say they don’t like hoppy beers, and to that we say that hops do not equal bitterness. Hops offer a whole world of flavors, not just bitterness. In Tropicália, they exude a luscious fruit journey your palate can enjoy over and over without fatigue.
- Threes Here Ya Go (Pacific Gem & Azacca) : Grapefruit Zest, Pine Tar, Blackberry, Pepper, Citrus Grove.
- Uproot ESB : A beer you could drink all day and all night. Dark amber in color. A delectably complex malt profile reminiscent of bread, toast, and biscuits, with hints of caramel, chocolate, and fruity esters. Perfectly balanced bitterness from the earthy, floral hops. Take one sip and another is sure to immediately follow… and another… and another…
- LTD Series - 05 : "New in our LTD series, this copper colored lager is refreshingly smooth, with a hint of dark roast and a clean hoppy finish. Brewed with pale, chocolate, caramel malts and hopped with Czech Saaz hops. ABV 5.6% IBU 28"
- Hi-Diddly-Ho : Collaboration with Idle Hands Craft Ales! This India pale lager hits the nose with big resinous and fruity aromas, followed by clean drinkability and a pleasant, floral finish. It's a celebration of our former neighbor status with Idle Hands.
- Deep Six : Dark and earthy, this robust porter exhibits rich mocha-like complexity, with a dry finish that keeps all hands on deck.
- Posse : This beer was formulated and brewed with Posse App Development, the super dedicated and talented team who wrote every line of code for the app in your hand. For the beer we went with all New Zealand hops—David, one of the lead developers, has roots there. We featured Nelson Sauvin… ever tasted a beer with this hop? It’s the most coveted strain in the world right now. Known for unique notes of passionfruit and elderflowers common in Sauvignon Blanc (and grown in the same area as the grapes), it’s a tropical and stone fruit blast
- Cape Cod Cranberry Wheat : A pale, spicy, fruity wheat ale. This traditional Bavarian Hefe-Weizen (wheat beer) is popular in Bavaria Pronounced Hay-fa-VI-tsen, this beer style is unfiltered and known for its unique banana and clove flavors, which come from the special German yeasts used in fermentation. This beer is infused with cranberries from Cape Cod Select Premium Cranberries. It is light and wonderfully refreshing!
- Weez : Hoppy and roasty American IPA, brewed as the dark-colored counterpart to Another One (both beers incorporate the exact same kettle and dry hopping schedule). Weez presents a blend of hoppy and roasty notes on the nose, followed by hoppy resins on the tongue, and finishes with a deep roast.
- Three Fates : Three Fates is gold in color, highly carbonated with a dense white head that lasts. The mouthfeel is full but not heavy. The aroma is spicy and floral, with a hint of hops. The flavor is complex ­ this beer is fairly dry for it’s ABV but has a blend of spicy notes and fruity esters ­ there are hints of clove and light fruits aside the bready malt flavor. This beer is made with a special Belgian yeast strain that helps give this unique flavor profile. The hop finish is mild but present­ noble hops help balance the other flavors to make this a very drinkable beer. The 9% ABV is well hidden, so be careful!
- The World Is How You Perceive It : Farmhouse ale matured in wine barrels on grapefruits and dry hopped. Packaged still.
- 7 Seas : As part of Siren Craft Brews seasonal IPA series, 7 Seas is a Black Wheat IPA perfect of the darker nights of winter. The dark malts and colour lull your taste buds into a stout frame of mind only for them to be dashed against the piney and resinous edges of a hop profile crafted from the 7 C's of US and German ultra hops.
- I Feel The Universe : Passion fruit gose sour ale.
- Are They Okay? : Are They Ok? is your Existential Crisis Quadruple Oated, Quadruple Lactosed, Quadruple Fruited, and Quadruple Hopped Quadruple IPA. Brewed with a mountain of oat malt, wayyy too much lactose sugar, and hopped aggressively with Equinox and Chinook. Conditioned on four times our normal rate of blueberry purée, then quadruple dry hopped with Mosaic, Equinox, and the pineappliest & dankiest Chinook we’ve ever met. Notes of deep n sticky berry jam, huckleberry muffins, spicy cedar, blackcurrant, Blue Dream, and pineapple chutney.
- Harmony : So... we brewed an all Nelson IPA! Harmony is absolutely packed with one of the most unique and delicious hop varieties in the world - Nelson Sauvin. We taste and smell pungent New Zealand white wine (acidic citrus, grapefruit, pineapple, lime) offset by a medley of tropical fruit. A simple malt bill provides a mildly sweet balance but this beer is really all about the hops. A soft and proper bitterness finishes things off and keeps you coming back for more. We just adore Nelson... and this beer!
- Dark Angel : Dark Angel is a dark colored lager type beer with a light smoky body, mild hops and wheat note.
- Threes / J. Wakefield - Many Worlds : Bottomless Mimosa, Pulpy, Mangoy, Subtle Acidity, Florida Man. Sour IPA w Mango and Passionfruit. Collaboration with J Wakefield
- Double Dry Hopped Dunley Place : This beer is one of our favorites to brew because it plays homage to our wives and their family. We decided to dry hop the sh!t out of this beer with Galaxy & Nelson. The result is a complex beer with notes of gooseberry, fresh crushed grapes, followed by a juicy combination of peach, passionfruit, & mango.
- Atomic Buffalo Smokey Red Saison : Atomic Buffalo is a complex mutant ale that infuses a herd of flavours into a unique stampede worthy beer. Pours a hazy red-rust colour with a modest white head. Warm aromas of dark bread and subtle banana lead to flavours of stone fruit and toasted cotton candy, finishing with a hint of smoke.
- Schneider Weisse Tap X Aventinus Eisbock Barrique : Schneider Aventinus Eisbock matured for 15 months in Pinot Noir Barrels. In 2010 Hans-Peter Drexler started a new project : maturing some of his finest beers in wine barrels. He enjoyed the expertise of brewmaster Jérôme de Rebetez from Brasserie des Franches Montagnes in Switzerland who grew up in a wine producing family. Thus, they created delicious new beer aromes. Mein Eisbock Barrique welcomes you with an intense raspberry, cherry and vanilla aroma. A very rich and harmonious taste of chocolate, vanilla and berries will explode in your mouth leaving a lasting and pleasant after-taste reminding you of good red wine. This beer is recommended with chocolate and red fruit dessert or a blue cheese. however, as it is so powerful that it can easily be enjoyed by its own.
- 93 : "93” is a homage to the Chicago Bulls’ third championship. We used Red-X malt to give this citrusy passion fruit APA a nice malty and nutty balance. Much like his Airness and Pip, Citra and Topaz are the stars of this refreshing APA.
- Zeppelin Bavarian-Style Pale Ale : You've made a discovery - a German inspired Pale Ale lifted by creativity and crafted for the lofty flight of a Zeppelin. Christian Moerlein Zeppelin Bavarian Pale Ale showcases the characteristics of traditional pales, enhanced by the distinctive flavors and aromas of German noble hops. Pilsner and Munich malts provide a significant backbone balanced by delicate floral and fruity notes from a late kettle hop addition and dry hopping. The result makes this Zeppelin constantly smooth and balanced in flight.
- Tropic King : Originally designed to be a hoppier version of our flagship Saison, the accidental (but fortuitous) addition of two extra bags of Munich malt balanced the hop bitterness leaving us this very unique Imperial Saison. Tropical fruit flavors coming from the unique New Zealand hop variety, Rakau.
- Ocean Dark Crystal IPA : Maris Otter Pale Ale Malt, Caramalt and Dark Crystal Malt. All malts from Thomas Fawcett.
- No Panacea : ∞Guava, Brach's Strawberry Hard Candy, Pineapple Eye, White Grapefruit, San Diego. Double IPA w/ Pink Guava. Brewed in collaboration with Mikkeller SD.
- Cotton Rye Joe : Named after Clovis’ heritage of agriculture and cowboys! This Rye IPA is bourbon-esque. Brewed with corn and rye using Columbus, Galina and Crystal hops for an earthy and sweet fruit finish.
- Hansel & Brett'el : Funky and fresh, this farmhouse blonde ale has been perfecting itself in VQA chardonnay barrels for almost 6 months. Light in body, but deep in flavour, this beer is worth venturing into the deep dark woods for!
- Cellar 3: Ideal Belgique : Bottle-conditioned grand cru that uses Styrian Golding hops and dark Muscovado sugar.
- Kinda Fuzzy : The beer pours a slightly hazy golden color with a medium thin fizzy off-white head that burns away steadily. Spotty lacing on the glass. Aroma of spiced peaches and wheat. Light-bodied with flavors of sweet peaches, wheat and malt. The finish is fruity with a mild peach aftertaste.
- Phoenix IPA : Out of the ashes of 2013 this aggressive North-west IPA has emerged. It has pleasant hints of passion-fruit and citrus as well notes of pine and resin. Generous dry hopping with a blend of various NW hops provides the vitality of this beer.
- Time Portal Breakfast Brown : A dark ale with notes of chocolate and honey. This smooth beer gives you a reason to wake up in the morning.
- W1 Grapefruit Wit : The addition of rye to the traditional malt bill of Pilsner malt and White wheat lend additional spicy notes to the Coriander, black pepper and Grapefruit peel. 
- Adams' Best : An earthy, lightly toasty traditional Best Bitter brewed to showcase newly available Irish Stout and Ale malts. We use Special B and Black malts for color and slight roast complexity. It is named for Gerry Adams, the president of Sinn Fein, who was instrumental in the development of the Belfast Agreement in the late 1990s, which brought a cease-fire to Northern Ireland.
- Saving Daylight: Lemondrop : Saving Daylight: Crisp, Refreshing, Citrusy. A quaffable American Wheat Ale brewed with orange and grapefruit peels. The hop back addition of whole-cone Centennial hops balances the citrus and provides a subtle yet flavorful bitterness. This complex take on a wheat ale is brewed for the days you just don’t want to end! 
- Matt And The Giant Juicy Juicy Mango : This beer begins with a very pale West Coast IPA devoid of caramel malt character to allow the fruity aromas and flavors of Simcoe & Glacier hops to take center stage and meld perfectly with unreasonable amounts of mangos added to this fruit beer with attitude.
- Brew 1000 - Bourbon Barrel Aged : Fremont Brewing Company began as a dream in 2008. Years later, our dream has come true in each and every one of you, our craft beer family. And like every family, we have had our ups and downs but we keep coming back together knowing we are stronger together. In your hands is a special nod to you, a gift for now that will continue to give many years from now should you have the patience to wait...Brew 1000. This English-style barleywine uses floor-malted English barley, Noble hops and extended bourbon-barrel aging to bring you a complex and subtle craft beer flavor experience. We brewed this to celebrate brewing our 1000th brew and we look forward to sharing it with you, our craft beer family. It is said that 1000 represents the immortality of happiness and we hope this beer brings you immortal happiness, or at least one fun night...Because Beer Matters!
- Ridunkelous : A dark Hefeweizen, a traditional German style of beer that pairs wheat malt with a yeast that contributes flavours of clove and banana. Remarkably light but with a slight sweetness.
- Bavarian Hefeweizen : Hefeweizen (“yeast wheat”) is an unfiltered wheat beer with noticeable yeast sediment and a cloudy appearance. Touch of sweetness and fruity, with a full body. Banana and clove flavors are present. Very lightly hopped to reduce bitterness and harshness.
- Phalanx : At 7.5% ABV & 100 IBUs, Phalanx is somewhere between a single IPA & a double IPA. It prominently features Australian Summer hops, which bring a very distinctive peach/melon character to the beer. That awesome fruit character is balanced by some citrusy Chinook hops & a touch of dankness from Horizon.
- Stonefly IPA : Stonefly IPA has been refreshed with the addition of Citra Hops and introduction of a new dry-hopping process we call Alle Zeit Hopfen. A new dry-hopping contraption we custom built called HopfenKubel that we designed to slowly release dry-hops continuously for 48 hours into the fermentation tank. This will allow more surface contact time with the hops and beer fully maximizing the aroma and flavors from the hops. The addition of Citra Hops deliver a spicy, floral, strong citrus and tropical tone of grapefruit, melon, lime, gooseberry, passion fruit and lychee. Stonefly IPA will continue to support the efforts of the Schuylkill Action Network and donate a portion of proceeds to the Berks Watershed Restoration Fund to protect the source waters and health of the Schuylkill River watershed.
- Red Brick Vanilla Gorilla : Here at Red Brick Brewing Company we're serious about our beer, and the Brick Mason series showcases our dedication to the art of brewing. With that said, we invite you to enjoy this handcrafted Imperial Porter. Featuring Madagascar Bourbon vanilla beans, which impart a rich, dark, and creamy character, these qualities enhance the luxurious chocolate notes in the carefully selected blend of six different malts.The result is a beer at the height of our creative expression as brewers, and completely deserving of our hightest distinction as a Brick Mason.
- Torrente : Torrente’s alluring aroma draws you in with notes of ripe citrus, peach, tropical fruit and pine. The beer is soft on the palate and develops progressively with waves of overripe tropical fruit, citrus and pine. This culminates with a pleasantly dry and herbaceous bitterness.
- Wild Meadow : Wild Meadow is a barrel-aged version of our Amber Saison. Aged in wine barrels (the same barrels as Saison Je’ Peach) with brettanomyces and lactobacillus for 6 months. Wild Meadow emerges tart and dry with notes of fruit spice, oak and funkiness.
- Charlietown Trail Ale : The first thing we did was book a hotel room for an inspirational weekend getaway. We stayed in the very laid back community of Portland, Maine, and came across a refreshing locally brewed Trail Ale that gave us an idea. Charlietown is clean and crisp, with pleasant fruity and floral aromatics. Named after our Brew Dog, Charlie, and made for every beer drinker in our community, Charlietown Trail Ale is brewed to be enjoyed outdoors while taking in the beautiful things that this change in seasons.
- Von Jakob Paul And Hers Hefeweizen : Pale, spicy, fruity and refreshing. This beer
- Indian Summer : Indian Summer is a light profile American-style wheat ale spiced with Orange Peel and Coriander. Our recipe uses a mix of wheat and pale barley. This beer is very lightly hopped to allow the spices to shine through. Clean fermenting yeast produce a very dry, crisp base to further accentuate the spices. The aroma has a distinct citrus note without being overly fruity.
- I Concede The Point : This is a big barrel aged wine strength IPA. Aged for one year, this beer has rich complex malty and fruity notes. A robust bitterness balances out the lingering malty flavors.
- TrendiIV : For the 4th variation of our hazy New England style IPA, we pulled Mosaic hops to the forefront. We double dry hopped this monster with copious amounts of both Mosaic pellets and powder to highlight the tangerine, papaya and grapefruit notes of one of our favorite hops.
- Planes and Proper : Tart Berry, Caramel, Roast. This is our second collaboration brewed with our friends from Small Planes Coffee out of NE DC! Brewed with an assortment of specialty malts and a touch of lactose for complexity and then fermented with Lactobacillus. Post fermentation, we steeped a Kenyan coffee that Small Planes roasted which exhibits a lot of tart berry and caramel cola qualities that we thought would be a good fit for this quick Flanders style Red.
- D’Tango Unchained : D’Tango Unchained is a Belgian-Style Dark Ale brewed with cherries (AKA Tango), which we then aged in oak barrels with Brettanomyces. The result is a 9.6% ABV deep amber brew with ruby highlights. Aroma has subtle hints of banana, along with tart cherry, soft vanilla and oak. Not overly sweet, tasting yields a nice, tart cherry and lingering malty flavors that finish dry.
- Y2B (Year 2 Beer) : Y2b is a limited edition brew to celebrate our second anniversary. The malts were carefully chosen to produce subtle caramel flavors that provide a strong base and balance for the copious amount of hops exhibited in this beer. The beers explodes with fruity, spicy, earthy, and zesty aromatics. 8 different varieties of hops: Citra, Mosaic, Tradition, Summit, Magnum, Warrior, Zythos, and Simcoe provide tropical fruit flavors of mandarin, passion fruit, peach, orange, and mango, that awaken your palate. Full bodied, with an alcoholic sweetness. Finishes with a clean bitterness.
- Lights On : Introducing Lights On - A modern American Pale Ale brewed to celebrate a new beginning here at Tree House! Lights On pours a gorgeous hazy orange in the glass, releasing an aroma filled with a bounty of sweet fresh fruit. We taste papaya, guava, and mango - a fresh and distinctive flavor profile that’s wholly Tree House. Buoyed by a soft and fluffy mouthfeel, Lights On is a delight to drink. We’re excited to share it with you!
- Ella IPA : A medium bodied west coast style IPA that delivers pronounced tropical fruit and spice notes. Single hopped with a new Australian variety, Ella, that delivers dank hop aroma and flavors.
- I See The Vision - Paw Paw And Dragonfruit : Lupulin powder IPA with rotating fruit
- Tak Pale Ale : Pale ale basically originates from England, but we have brewed it in our own way. It was designed with the idea of a very tasty, aromatic and balanced beer. The base of the beer is formed by a relatively simple combination of the basic and caramelised malts. This base was then overlaid with 4 types of hops that give it a fresh, fruity aroma and a superbly refreshing taste, which together with the malt base creates highly balanced and dangerously drinkable ale.
- Hérétique : Blond beer 100% fermented and aged in oak barrels with Brettanomyces yeast. This dry beer has aromas of ripe mango and passion fruit with funky farmhouse accents. Its finish has subtle notes of oak balanced by hoppy bitterness and a touch of acidity.
- Hop Stoopid : Clean this mess up or else we'll all end up in jail...those test tubes and the scale...just get 'em all outta here..." He was referring to the complex super-critical-CO2 hop extraction equipment set up on the table in the lab across from the brewhouse. Hop extracts are for the BIG brewers, he thought - suitable only for crummy sub-standard and barely-passable industrial lagers, not the subtle and elegant craft beer made here. But wrong he was. The New Brewer does not eschew any possible inputs. In this case the mountain of extracts will replace the mountain of hop vegetative material in the kettle thus creating cleaner hop flavors and preventing the otherwise spinach-like mess of a kettle full of super-hopped wort from clogging up a pump or worse. The sensuous honey-like amber ooze was administered intravenously to the wort kettle and the sacrament was complete. Another kettle of Hop Stoopid is once again raised up and fermented on high.
- POG Tropic : Hop Tropic Infused with Passionfruit, Orange & Guava. 
- [BANISHED] Better Off Red : Flanders Reds may be called the Burgundies of Belgium, but we age our take on this complex, slightly tart style in Oregon pinot noir barrels for more than 18 months. A fresh batch will batch will present spicier notes, while older versions pick up more oak and yield cherry flavors. So we blended old and new, figuring we're better off presenting this exotic mélange simultaneously.
- Haywood : Brewed with Pale and Oats. Hopped intensely with Amarillo , Mosaic and Motueka. Elicits responses of fresh crushed citrus, grapefruit, lively lemon and lime tones with background hints of tropical fruit
- Prairie Somewhere : Prairie Somewhere is a blend of golden farmhouse ale and a sour ale. Citrus fruit is used in the kettle to add intense orange and lime notes.
- Civil Disobedience #20 : Civil Disobedience 20 is dark, delicate and complex blend of Shirley Mae that was fermented in bourbon barrels and our spontaneously fermented collaboration with Cigar City.
- Redbocq : "The wheat of this beer mingles with the natural fruity flavours of the four red fruits that make it up: cherry, strawberry, plum and blackcurrant."
- LoveLike Beer : Engineered to pair with our Mumbai Monkey vegan curry tofu sandwich, LoveLike Beer is a mint and lemon balm saison. We stayed true to tradition, brewing a highly effervescent, light bodied, dry beer. The herbs add a complexity and harmonize with the savory notes in the sandwich. This beer is a great summer refresher on it’s own or with a big bowl of pho.
- There Will Be Black (Brewmaster's Reserve Winter 2012) : There Will Be Black builds a hoppy dark tower on a foundation of solid British pale and crystal malts, constructs a midsection of American and German black malts and then sends a spire of New Zealand hops vaulting into the low-hanging clouds. Sharp and snappy, full-bodied but dry, There Will Be Black has a core of black bread and dark chocolate, wrapped in a bright coat of orangey, minty hops. This beer knows the night. This beer will be awesome with your burger, revelatory with your chicken molé, and intends to marry your lamb vindaloo. We think you’ll approve.
- NZPA : Brewed with several varieties of New Zealand hops and designed by our Kiwi Head Brewer Matt Clarke, NZPA is a sparkling golden ale bursting with hop flavour. Passionfruit, mango and apricot aromas and a citrus bitterness are balanced by the sweetness of English Maris Otter barley, to produce an extraordinary beer which showcases the hops of New Zealand, some of the most powerfully flavoured in the world.
- Schneider Weisse Tap X Marie’s Rendezvous : "Marie's Rendezvous" - the enticing, honey golden wheat beer of extraordinary intensity and opulence. Lush and full-bodied, with a smooth sweetness, complex fruitiness, a fine peppery flavour and bold strength. A baroque feast for the senses combined with a refreshing dry finish! A divine match for festive pot roast or a light mousse with fresh fruits. You better watch out - you just might fall in love! Dedicated to our ancestor Anna-Maria Schneider, whose first encounter with Georg I. Schneider soon ended in a deep love and was not least the beginning of six generations of passion for wheat beer ...
- Quest : What is your Quest? Ours was to brew a juicy, dank, approachable double IPA, bursting with tropical fruit, mango, peach, pineapple. A combo of 4 different hops make up this complex double IPA
- Civil Disobedience #24 : This iteration in our series of blended barrel-aged Farmstead® ales is a careful curation of various threads from our barrel cellar. This includes the debut, albeit in blended form, of the soon-to-be-released Sante Adairius “Residency” beers; Works of Love: Farm Ghosthands; Brother Soigné; Edith; Arthur; Florence; and Biere de Norma. Golden amber in color, complex and delicate, this continues our tradition of a non-blonde offering on every fourth entry in the series. 750ml
- Homesteader : A strong, malty brew with intense fruit flavors and aromas, and a natural spiciness that comes from the addition of coriander. This brew has a dry, effervescent finish.
- Tropical Platypus : This special tropical ale is brewed in celebration of San Francisco City Beer Store’s 10th Anniversary. Inspired by their adorable Platypus mascot, this equatorial sour blonde ale is aged in used wine barrels and oak foeders with an array of tropical fruits. We selected barrels with fruit-forward characters, and amplified those notes with the addition of kiwi, mango, lime and passion fruit. We tied the whole blend together with the addition of aromatic Galaxy hops from New Zealand. The finished beer is a tropical explosion, worthy of our duck-billed inspiration.
- Bar & Chain Stout : The Stout is a dark beer, strong and assertive. The malts used add depth of flavor with hints of chocolate and caramel balanced by a piney hop flavor.
- Atlas / DryHop For Those About To Bock : This hoppy pale bock is loaded with Australian Galaxy and New Zealand Motueka hops. It features wonderful citrus, tropical fruit, and gooseberry notes, along with a clean lager finish.
- Fruit Face With Dragon Fruit, Guava & Passion Fruit : Berliner Weisse brewed with dragronfruit, passion fruit, and pink guava.
- Daikaiju : Big nose full of canteloupe, pine, and citrus. Flavor is loaded with dried fruit and hop resin, with notes of black pepper and mint. A huge, intense double IPA that remains dangerously balanced and drinkable.
- Revival Double Black IPA : This Cascadian Dark Ale, otherwise know as our Double Black IPA, emerged stylistically from the Pacific North West. It has an IPA backbone with a "special blend" of choice roasted malts combined with a hard hitting matchup of hops, knocking this beer into a new weight class. Dry hopped and unfiltered for maximum flavor and punch. Enjoy it with a trainer!
- 20th Anniversary Dry Hopped Sour : Brewed for Howe Sound Brewing's 20th anniversary, this dry hopped sour ale combines subtle tart notes with flavours of mango, citrus, stone fruit and a pleasant malt sweetness. Altogether, this beer is a beautiful and complex experience that develops with each sip. Cheers to you, and thanks for your support of the craft brewing revolution.
- Muis : 100% Brett Wild Belgian Blonde. Tropical guava and papaya meld with citrus fruit; sweet/tart finish.
- Stereotypical : In a world of hazy and juicy it's become easy to forget the reliable, the bitter, the aromatic, the refreshing: the West Coast IPA. We'd like you to meet our new friend: Stereotypical, West coast IPA. It's like, dude, made with the best hops ever. Like, a barrel of Mosaic and Simcoe, dude just pull in and get all crazy and stuff, then you take a fat sniff and WaPAH!! It just smacks the lip. No malt character dropping in today, like just dude, all hops like Buhh!!! I don't even know what barley is. Dude, like all this fruity and citrusy hops just getting pitted, so pitted! We were told that it is "the perfect beer to rage on a fish taco stand with," but we think Stereotypical West Coast IPA is the perfect beer for a hot summer where a bone dry IPA with low body and crisp bitterness provides the hops along with the refreshment.
- FAO : Think dark beers are “too heavy?” Don’t be ridiculous. They aren’t. Not all of them, anyway. Especially not this one. Try it!
- Wet Dog : 20 pounds of fresh, wet, green Simcoe hops went into this 7bbl batch of Cant Dog. So grapefruity & tasty.
- Summer Somewhere : Strawberry Hefeweizen, a hefe through and through with light esters and subtle fruit.
- Southern Hemisphere IPA : With Motueka hops from New Zealand and Galaxy hops from Australia, this IPA has a slight haze and is ripe with passion fruit, lychee, citrus and spice flavors and aromas.
- Pyrus And Prunus : Oak aged sour golden ale brewed with heavy additions of pear and peach puree resulting in a full bodied, pleasantly effervescent, refreshingly tart ale. The two fruits work in harmony, as aromas of peach pie and fresh pear swirl from the glass. The tart complexity of the sour golden marries with ripe fruit flavors that bust forth with every sip. Enjoy.
- Mysterioso (Barrel Aged Dark Belgian) : Belgian-style dark ale aged in barrels
- Escape : Escape is a 100% Brett fermented Farmhouse pale ale. This beer was fermented/conditioned with a blend of a few Brett strains in wine barrels for 8 weeks. Hopped gently with Mosaic hops. Bright lemon peel, stone fruit, oak tannins, subtle pinot notes, with a funky, earthy character. Incredibly complex and special.
- The Juice Is Loose : Hops burst out of this glass with absolutely no bitterness. Bright fruit flavor of passion fruit and citrus. We will make more. We must make more...
- Som O Grapefruit Radler : Created in collaboration with Andy Ricker of Pok Pok, whose Grapefruit Som Drinking Vinegar was used to create this innovative radler with a Helles Lager base. 
- Imperial Red Ale : Crystal and munich malts give this red ale a thick, full body. The dark ruby hues comes from a combination of caramelized sugars and black malt. Dryhopped with Hersbrucker hops, it is balanced between the malty, boozy mouthfeel and herbal, earthly noble hops.
- Impure Penelope Armstrong (IPA) : The style of American IPA is all about hops. A simple malt profile allows a massive dosing of American hops to slap your palate. We chose our yeast strain and control our fermentation to impart bright esters that provide a lightly fruity support that fills out the hop profile.
- Brun Brutus : Dark version of our tart dandelion saison. Brewed with @wncmal, fermented with our mixed house cultures and aged on locally foraged and roasted dandelion root.
- Crescendo : This delectable Saison is brewed especially for the 2012 Glimmerglass Festival. It opens dramatically with full champagne carbonation, followed by rich malt, spice, and fruit aromas and flavors. It then swells to a crescendo of complex tastes and aromas. The finish closes gently with a touch of sweetness and a lingering hint of spice.
- Weissenheimer Hefeweizen : A classic German-style Hefeweizen with fruity aromas and flavors of banana, clove and vanilla and a fuller mouth feel with appropriate yeast haze.
- Tastes Like Citrus : The first of its kind in Utah and winner of the Utah Beer Blog Best Beer in Utah Award in 2017. The "New England-style" IPA is designed to have every bit the amount of hop character as any IPA, but with little to no bitterness. The result is the perfect balance of fruitiness and smooth creaminess.
- 100% Brett Farmhouse Ale : Belgian Farmhouse Ale fermented with 100% Brettanomyces Bruxellensis. Musty ripe fruit, pineapple, and leather notes sit atop a dry, crisp pilsner base.
- DogZilla Black IPA : True to its IPA roots Dogzilla has a massive hop presence that is Piney and Citrusy. A malty backbone, along with the dark malt gives it a bit of a roasty finish. Brewed with Simcoe and Cascade Hops, Pale Malt, Munich, and Black Barley.
- Cherry Berliner Weiss : Our sour cherry ale blends an abundance of tart Montmorency Michigan cherry juice with a pleasantly sour berliner weisse beer. From their blossoms to their fruits, cherry trees represent a circle of life that is short and sweet, or in this case, tart. The fruit is ripe. Enjoy it now!
- Wrath Of Rocky : The imperialized father of Rocky's Revenge. A dark brown ale on the sweeter side with vanilla and oak characteristics from barrel aging.
- Foeder Gold : Foeder Gold is a sour golden ale brewed with a mix of brettanomyces and several different souring cultures. The flavors produced are lemon and stone fruit with a touch of Brett funk. This batch comes from our 20bbl American oak Foeder.
- Allegheny IPA : A West Coast Style IPA brewed with six varieties of hops and four varieties of malts. It is a well balanced citrusy IPA with strong tones of grapefruit and hints of mango, papaya and apricot.
- Miami Nice : When Miami meets Belgian Blonde the outcome is delicious. A Belgian blonde made with European malts, slight spiced hops and real fruits makes this European into a Miami delight.
- Yard House Twenty One : elebrate our 21st anniversary with this limited-edition cognac barrel-aged Amber Tripel brewed in partnership with Brasserie de Silly and available exclusively at Yard House. Brewed in the Belgian village of Silly, this flavorful beer perfectly blends sweet malts with Kent, Saaz, and Hallertau hops and a unique Belgian yeast strain to create a complex beer with a rich mouthfeel. Don’t miss your chance to raise a glass of this commemorative beer and cheers to 21 years!
- Curio : Tart, yet refreshing. Hints of grapefruit and citrus pith. Quenchingly delicious. 
- Nice Marmot Imperial Dunkelweizen : Powerful banana aroma followed by malty breadiness and hints of biscuit and toffee flavors. A powerful malt bomb with surreal hefeweizen yeast piquancy. Pours a silky dark amber color with an off-white head. 
- 1 Year Later : Pale Ale is hopped with mostly Simcoe and smaller amounts of Columbus, Motueka and Galaxy. 5.8% and 30 IBUs. This beer was brewed 1 year to the day of the first batch of beer we brewed...hence the name. Big aromas of stonefruit, passionfruit and lychee. Flavor is all Simcoe; sharp grapefruit and fresh pine. Highly crushable.
- Old Angler's Amber : Traditional style Amber Ale, the fore runner between lighter and darker ales. Old Angler’s Amber has a light amber hue, maintaining a mild flavor and low hop IBU. Smooth and satisfying
- Lunacorn 2018 : Brewed with grapefruit and pink peppercorn.
- Imperial Stout : When its cold outside and you need a brew to warm you up this is your go-to beer. The large abundance of oats used while brewing gives the beer a silky, smooth feel in your mouth. This sweeter style Imperial Stout is brewed with dark, roasted malts which give way to robust flavors of chocolate and coffee.
- The Divided Line : Grapefruit Flesh, Buoyant, Citrus Pith, Mild Mint, Dry.
- X Ale, 22nd November 1838 : So, these are our new historical beer releases: two beers from the same brewery, brewed under the same brand name, 107 years apart. X Ale, 22nd November 1838, and X Ale, 22nd February 1945. These beers were from Barclay Perkins brewery in London (now long closed). They were brewed & sold as the same beer over these 107 years, but the recipe and process changed dramatically. The beer changed from a golden, 7.4%, extremely hopped ale in 1838 into a 2.8% dark grainy beer in 1945. Probably a lot of factors came into play: wars, hop shortages, grain pricing, rationing, taxation, patriotism, the motorcar, the industrial revolution… I’m guessing these all played a role in the weakening and darkening of this beer. Interestingly, since 1945, Mild ale in Britain hasn’t changed so much: it’s still dark, and one of the weakest beers produced.
- Barley Wine Ale Aged in Rye Whiskey, Bourbon & Red Wine Barrels : This potent and generous Barley Wine has been aged in a mixture of bourbon, red wine, and rye barrels, which meld into a seamless mix of berries, oak & toasty bourbon. The alcohol adds some welcome lean, warming elements to a very impressive range of flavor profiles that include caramelized malts and barrel notes, along with a brilliant assortment of fruit characteristics.
- Chocolate Stout (750ml) : Deliciously dark and roasty, this big American Stout is finished with an addition of cacao nibs, creating a decadent chocolate treat.
- Common Loon : Common Loon APA is our flagship beer, light and easy drinking with lots of flavour. At 4.6% it goes down smooth, with flavours of citrus and tropical fruits. Easy drinking and flavourful, what more could someone want!
- Pip Boi : Pip Boi is an easy-going IPA with a lighter body and subtle caramel backing. It is moderately hopped with Warrior, Sorachi Ace, Jarrylo, Amarillo and Belma for a complex, rolling bitterness.
- Rickard's Dark : Brewed in the style of English porters, Rickard's Dark is creamy with a smooth finish that holds just a hint of pure Quebec maple syrup.
- Country Pumpkin : Country Pumpkin is our medium-bodied harvest ale brewed with a medley of flavorful malt, pumpkin puree, Magnum hops and a touch of seasonal spices.The masterful blend of 2-Row, Vienna, Munich, Caramunich and Honey malt with Magnum hops balances the sweet pumpkin with an aroma of nutmeg, cinnamon, ginger and allspice to create a rich, malty ale for the autumn season.Delight in the deep golden-orange glow while savoring the complex, malt-forward flavors and surprisingly dry finish of our new curcubitaceous ale.
- Barrel Aged Gose With Brett And Pineapple : We took our original kettle soured beer Going Going Gose, then put in an oak barrel with brettanomyces for a few months. The result is bretty, lightly tart with a little bit of tropical fruit, cherry pie, and a whole lot of deliciousness. Pineapple in the barrel! The pineapple compliments the tropical fruit flavors from the brett.
- I Need Dubs : Dark fruit medley with a touch of sweetness. Perfect for the season.
- Hop Project #27 : For this batch, we first wort hopped with Nugget and Simcoe, then Amarillo and Cascade at 30 min, followed by more Nugget and Simcoe at five minutes left in the boil. We dry-hopped with Cascade and Nugget after six days in the fermenter. We were aiming for a pure West-Coast-style shot-o-grapefruit-juice IPA, and I think that is what we got!
- Desire Paths : Blended Farmhouse Ale aged in Oak Barrels Aromas of overripe tropical fruit, cherry pits, hay and mornings in the garden. The flavor is a complex blend of white wine grapes, stone fruit, earthy and herbal Brett, oak tannins, and bright lemony tartness.
- Stout Blonde : Blonde with dark chocolate, mint, vanilla and coffee.
- Krekling : Krekling is a fruity and refreshing fruit ale made with lots of these small berries picked at Finnmarksvidda up in the very north of Norway. These berries used to eaten for their thirst quenching effect. The beer has a nice reddish hue.
- Tripel : A very pale/light-colored Belgian Abbey ale finishing lightly sweet with medium body and nice malt/hop balance, mainly characterized by a complex yet mild spicy character with yeast-generated fruity banana, pineapple and tropical fruit esters being present.
- Belgian Blonde : This unfiltered ale is cloudy straw in color with a light body. Brewed with coriander and an authentic Abbey ale yeast, this beer’s aroma and flavor is a complex blend of spicy citrus and apricot.
- Permutation Series #27: Double IPA Aged On Peaches And Apricots : Permutation 27 presents hazy orange with a floral nose of pine, pineapple juice, and stone fruit Permutation 27's palate conjures flavors of dried apricot & mango, subtle peach, pineapple, and a juicy yet moderately dry finish.
- Pot & Kettle : Our signature porter, brewed with oats, has a soft, velvety mouthfeel with layers of chocolate and roasted malt on the palate. The ominously black appearance belies this porter's approachability; Pot & Kettle is satisfyingly smooth and nourishing, but never lumbering or heavy. While not sweet, dark fruit notes, such as cherries, dates, and raisins, reveal themselves as the beer warms.
- Omerta : This beer was originally brewed for the breast cancer fundraiser Beer 4 Boobs last year, but we enjoyed it so much we decided to bring it back! With the addition of orange zest and hibiscus flowers, the resulting beer is deliciously fruity and refreshing.
- Autumnator : This American Sour ale is brewed with Soon's Orchards apple cider in New Hampton, NY. It's a tart fall sour with some farm fresh funk. Fermented with a combination of saison and farmhouse yeasts, it's layered and complex.
- Unfinished Story : Fruity, smooth, herbaceous.
- Tale Of The Shony : Our traditional 80 Shilling Scottish-style ale. Chocolate and roasted barley malts contribute to this dark-colored brew, rounded out by notes of sweet caramel and mellow roast. Robust, yet drinkable, this beer can be enjoyed in the cold months of winter or the dog days of summer.
- Arbre Dark Wheatwine (Medium Toast) : We brewed a dark, decadent wheatwine-style ale with chocolate wheat malt to accentuate the richness imparted through barrel-aging. We then divided the beer into three components, laying each down in new American oak barrels with varying degrees of barrel toast and char. This release showcases the caramel, chocolate, vanilla and slightly smoky notes contributed from aging in medium toasted oak barrels. Taste it side-by-side with its light toast and alligator char counterparts to bring the barrel-aging journey full circle.
- Love Child No. 8 : Love Child No. 8 is composed of multiple vintages of a Flanders-style sour red ale and a sour Belgian-style golden. This release features soft lactic acidity punctuated with slight acetic notes and a tart, fruity flavor reminiscent of sour cherries and green strawberries.
- Dubious Intent : Dubious Intent is a blended golden sour beer aged in oak barrels with blueberries, blackberries, black currants, and plums. The seventh edition in our Dubious series, the intention of these barrels were dubious on their own. Each barrel used in this blend was partially filled with various fruited sour beer and then filled with a brett saison blend. Unsure about what these barrels would taste like on their own, our production team suspected they might complement each other well. Turns out they suspected right! This lightly fruited sour showcases mild notes of ripe blueberries, strawberries, nectarine, and fresh picked wine grapes.
- Stygian Darkness : This strong, dark Belgian-style ale is just the beer to warm you in the winter months. You also won’t have to put coins in a corpse's eyes to pay Charon, the ferryman to get you across the river Styx to get one, just give the coins to your server.
- Bear Naked Ale : A medium-bodied amber ale with a brilliant copper color, top fermenting ale yeast, and a high proportion of Munich Malt creating a clean, crisp beer with a toasty, fruity backbone.
- Blåbær : We combine fresh blueberries with our barrel-aged lambic-style ale to make pFriem Blåbær. Its aromas of ripe fruit, white pepper and tobacco lead to a bright, jammy flavor that finishes as tart and tangy as the berries themselves. 6 IBUs
- Solar Eclipse Black IPA : Jump started by bold citrus hops, rich dark malts lead the way to a roasty smooth finish. 
- 50/50 Bar With Passionfruit & Pink Guava : 50/50 Bar is a popsicle-inspired IPA & a collab with Graft Cider! This time we brewed 50/50 Bar with milk sugar, dry hopped with Citra & Mosaic, and conditioned on Vanilla & hundreds of pounds of Passionfruit and Pink Guava.
- Cloudy Mentality : New England Hazy Style IPA made with English yeast, oates with no bittering hops added during production. Because of this, the beer is juicy with strong tropical notes of passion fruit and apricot flavor.
- Raised By Wolves : Juicy, Hoppy, Fruity. A medium-bodied, aromatic, dry-hopped pale ale. Not quite an India pale ale, nor a typical American pale ale, we brew Raised by Wolves to highlight the rich flavors and aromas of hops rather than their bitterness. This beer has aromas reminiscent of lush tropical, citrus and stone fruits with a juicy body that you can sink your teeth into.
- Dark : A cold fermented dark ale with a fruity hop profile from rarely used smaragd hops and a subtle roast character.
- Unintentional Fallacy : Mountain Dew®, Hazy, Grapefruit Peel, White Mystery AirHeads, Powder Orange Juice.
- Gluduced IPA : A strong, bold and fruity India Pale Ale in the tradition of the fine West Coast breweries, sure to please the hoppiest of hopheads. We start with 5 different malts to create a sturdy foundation for the hop assault. Then build on this foundation with Bravo, Columbus, Cascade, Eureka and Centennial hops for bitterness and flavor. The pièce de résistance is the generous 2# per barrel dry hop addition of Simcoe whole leaf hops for a dank, piney aroma. Cheers! This beer contains a product called Clarity-Ferm, an enzyme that chops up the gluten proteins present in beer so that people with sensitivities to gluten do not react adversely. In the end it produces a beer that tests at less than 10 ppm, according to White Labs.
- Fathom IPA : Our west coast style India Pale Ale screams hop flavour and aroma with an amazing candy-like oily balance. Delicious hop-forward notes of citrus, grapefruit pith and pine meld together as one with malty undertones finishing with a long, lingering draw. A fabulous pairing with all things spicy or cheesy, poultry or fish dishes.
- Public House Biere : A somewhat fruity and easy drinking Belgian ale which is less aggressive than many other Belgian beers.
- Eukanot Pale Ale : Fermented with American California yeast and dry hopped with the Ekuanot hop adding Citrus, Tropical Fruit and Herbal aromas.
- The Darkness : You think you've tasted a robust stout? Think again! The Darkness is an incredibly dark and creamy beer that will overwhelm the palate with loads of dark chocolate and coffee flavours.
- Will You Mango Me? : Will You Mango Me? is an American IPA brewed with mango. Light golden in color with a frothy white head and good retention, this beer has huge aromas of tropical fruit. Prominent mango flavors are complemented by grapefruit, passion fruit, pineapple, and papaya with a hint of malty caramel sweetness. Light bodied with a juicy mouthfeel, this beer finishes smooth. Will You Mango Me? was originally brewed in celebration of Matt and Allison’s wedding in May 2018
- Pond Hopper Pale : Pond Hopper is a golden brown, medium-bodied pale ale. It is gently bittered with New Zealand hops that provide hints of passion fruit and other warm-weather reminiscent flavors. Pond Hopper is balanced with a caramel-like sweetness and finishes smooth for easy drinkability.
- Tesseract : We punched up our favorite DIPA with an extra dose of mosaic cryo hops. More lupulin oil and less vegetative matter delivers an even fruitier and smoother hop experience.
- Mr.Green Passion Fruits Pale Ale : • Style : Pale Ale Aged with Passion Fruits (백향과)
- Mon Cherie : Black cherries, sweet fruit body with an evolving mildly sour finish.
- Coffee Brown Ale : The breakfast beer of Mt. Carmel Brewing Company, this unique brown ale is a collaboration of local brewers and roasters. The bold aroma of Cincinnati's Deeper Roots Coffee balances a body of dark malt, chocolate and toast. Subtle notes of sweet maple and coffee create a refreshingly delicate finish perfect for the start of your morning.
- Framboise Lambic : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Brotherly Love : Brotherly Love is our Belgian Dark Strong Ale, Little Brother, aged in second-use Bourbon barrels with Northwest grown sour cherries and Ecuadorian cacao nibs roasted by Woodblock Chocolate in SE Portland.
- Devil's Reach : A Belgian beast, fruity and light, the complexity and character of Devil’s Reach comes from a robust Belgian yeast. Deceptively simple, caution is demanded because, before you know it, Devil’s Reach has swallowed you whole.
- 3LB IPA : 3LB IPA was originally named for the 3 pounds of cascade hops that we put in every barrel. This well balanced IPA gives the drinker a powerful hop experience while maintaining a malty sweetness which allows the uninitiated to appreciate its grapefruit characteristics. We trust you will find 3 lb. a pleasurable way to consume hops.
- Golden Triangle Saison : Our newest saison is a Collaboration with our Chef, Chris McCoy and inspired by the flavors of Southeast Asia. Brewed with coriander, lemongrass, Thai basil, kumquats and blood oranges and fermented with yeast from one of Belgium's most respected farmhouse breweries, this complex and interesting brew is great on its own and is a perfect compliment to a diverse array of foods.
- Red Spur : Red Spur is the girl you take home to your parents. Pouring a beautiful ruby hue, this full bodied ale strikes a balance between lots of hop and caramel malt flavor. Hopped with Centennial and Columbus, this ale is full of flavor and complexity.
- Silent Nights : American-style Imperial Stout. This is a hopped-up version of a classic Imperial Stout. Starting with Halcyon Pale, a traditional British base malt that adds a toasty, biscuity character to the beer, we add dark roasted and caramel malts for notes of coffee, chocolate, and dark fruits. Generous use of American hops, Simcoe, Chinook and Columbus, add bold but complementary flavors and aromas that bring everything together in a full bodied and richly complex ale for the quiet off season here on the coast.
- Stout : This American style stout keeps in tradition with the high volume of roasted malts used for flavor and color. Black, Roasted, and Chocolate malts are used for a roasted coffee bean, dark chocolate malt flavor. Balanced with Cascade and Centennial hops for a crisp, piney character that is neither bitter nor overpowering.
- Seven Years : Seven hop additions lead to flavours of tropical fruits, berries and tangerine, balanced by a caramel finish. This New England Style Pale Ale packs a lot of hop flavour without the bitterness.
- Miami Madness : Imperial Berliner with Mango, Guava, and passion fruit.
- Teletrilldonics : Liquid freakin’ fruit loops man! Brewed with Indian Coriander, Cara Cara Oranges, and hop-bursted with Centennial hops! As refreshing as those long distance discreet dial-up love connections.
- Original Sternla Radler : Our sparkling fruity beer mixed drink from pale lager beer and soda with natural lemon juice, with no artificial sweeteners and no artificial preservatives. With only 2.5% of the ideal refreshment and tastes and tastes and tastes.
- Surfliner IPA - Coffee : Surfliner IPA with Handsome Coffee Roasters. This special edition features San Adolfo beans known for their tart notes of blackberry and deep cherry with a touch of vanilla. Brewmaster Jesse Houck adds whole roasted coffee beans in the dry-hop to lightly infuse this hop-forward ale with light hibiscus-like aromatics and citrusy zing. The result is a complex yet balanced amalgamation of hops and coffee with a light malt backbone anchored by the stone-fruit and piney notes of Simcoe hops.
- Strangely Epic : A blend of Epic Brewing’s monster imperial stout Big Bad Baptist and Strange’s tart fruit explosion Cherry Kriek, the result is a complex journey thru coffee, chocolate, and cherries.
- Furth : Named after a Bavarian city, this globally enjoyable hefeweizen sips with soft, fruity notes of banana, wheat, clove, and orange rind.
- Tempo : The syncopation of El Dorado, Citra, and Centennial lend this DIPA a pleasant, bright complexity and well-timed juicy citrus and pear notes.
- Ten FIDY - Bourbon Barrel Aged : Aged through four seasons and from a blend of the top Bourbons around, this Ten Fidy has morphed into a monster of cranked up flavor. Espresso, burnt sugar, rich chocolate, caramel notes are now driving alongside the vanilla, oak, bourbon from the barrel and been smoothed out during maturation. Even at 12.9% (75 IBUs) it is cool and drinkable, letting each sip add more and more complexity.
- Speedcult Black Lager : Speecult Black Lager is a dark, black-colored Lager with an alluring tan lace. Enticing aromas of cocoa and burnt marshmallows lead into big flavors of chocolate in this Lager. Speedcult Black Lager’s finish is clean and dry with a slight hoppy bitterness.
- Peer Review : Tiki Drink, Stone Fruit, Purple Kush, Silky Smoove, Cream. Double IPA w Mango. Collaboration with Industrial Arts.
- The Bay : From the Bay: A new way to double IPA. Juicy tropical hops are amped up and balanced by our house Kolsch yeast, leaving the beer intense yet drinkable. Mango and bright mandarin are supported by floral melon and soft stone fruits. From the techies to the foodies, for the freaks and for the geeks - Here's to the Bay ...and double IPA.
- Mysterium Verum Rex Indomitus : Imperium has long held sway over Brett IPA’s in our barrel cellar. We’ve always enjoyed the interplay of wild yeast and hops, so much so that we decided to see how far we could take it. Enter Rex Indomitus. Rex is aged in oak with the same blend of Brettanomyces that ferments Imperium, but rather than Lost Gold, we’ve started with our Imperial Red Ale, Red King. After 12 months in oak, the beer is racked out of the barrels onto a fresh dose of dry hops. The finished beer has all of the fruity, funky hallmarks of brett fermentation, with an enticingly hopped finish.
- Belgian Mid-Winter Ale : Our Citra and Cascade hopped mid-winter ale pours a hazy brown with red hues. Passion fruit hop aromas combine with cherry and a spice malt profile to create a complex nose. The beer starts sweet and fruity with a dry finish and enough body to tell a Midwest winter to F%@# OFF.
- The Cut: Montmorency Cherry : The Cut series is Oak Theory aged on whole CO fruit, more than twice the amount of Fruit Stand.
- Verdant / Howling Hops - 8 Mansions : A dank and delicious collaboration between Verdant and Howling Hops. A tropical hop bomb exploding with flavours of grapefruit, orange and pineapple. Juicy and highly-drinkable!
- Little Ripper : Brewed in a similar way to a Vienna Pale Lager this beer delivers exceptional balance and crispness. Malt sweetness harmonises with a fruity Pacifica hop bitterness, while the brewing process produces refreshing fine sparkling bubbles to cleanse the palate.
- Triple Milkshake IPA - Watermelon : This is a Triple IPA brewed with gobs of oats and lactose sugar. Conditioned atop 150 lbs of locally grown, house processed watermelon purée and a whole lot of Madagascar vanilla bean. Intensely hopped and dry hopped with three times the amount of Mosaic and Citra. A natural extension of this far-out and now far-reaching style that we dreamt up in tandem with our dear friends from @omnipollo many moons ago. Enormous notes of ripe watermelon flesh, cotton candy, guava, ruby red grapefruit gelato, and happy summertime sunshine. As a result of the intensive dry hopping and fruit fermentation, we only yielded around eight kegs on this batch. Hey! It's all an experiment man!
- Bad Conduct : Brewed for the holidays and designed to relish in each of the seven deadly sins; Bad Conduct is our Chocolate Maple Imperial Brown aged on vanilla beans and American hard maple. We start with an oversized Brown Ale loaded with notes of cocoa powder and toasted almonds then drown it in Vermont maple syrup till it's gurgling for help. While serving its month long sentence in the fermentor we rain down cocoa nibs like locusts till Bad Conduct tastes like a chocolate dipped waffle in Dam Square at 3am. Once it tastes just right we ship the beer off to rest on vanilla beans, maple wood, and even more maple syrup. The vanilla is to help bridge the maple and chocolate flavors to the roasty nutty ogre of a base beer. The American hard maple adds a nice level of tannins that helps balance out the giant body and viscosity of this beer, and also provides subtle flavors of cinnamon and nutmeg. Lastly adding more maple syrup simply exemplifies our disdain for restraint when brewing for the holiday season. When all is said and done, Bad Conduct Chocolate Maple Imperial Brown is an unforgettable head on collision where breakfast meets dessert and Thanksgiving meets Krampus.
- Ann : Ann is the wine barrel-aged version of Anna, our grandfather's sister, as well as the name of our honey farmstead ale. In her honor, we fill French oak wine barrels with Anna and allow the beer to mature in the presence of our resident microflora. After extended aging for as long as it requires to reach its apex, a beautifully complex beer emerges; Anna becomes Ann. Only the finest expressions of barrel-aged Anna become Ann; our version of Grand Cru, this beer represents the finest barrel results at their peak representation. Each 750ml bottle is naturally carbonated and hand-dipped in beeswax, Ann exhibits and showcases the microflora of her landscape.
- Machu Beechu : Machu Beechu is a passion fruit India Pale Ale made with Rare Bird Brewpub Rooftop Honey in collaboration with Rare Bird Brewpub. At first sniff this beer is an explosion of tropical fruit scents from mango to pineapple. Brewed with Vic Secret, El Dorado, and Mandarina hops, this beer is super dank and juicy. Initial tart and fruity flavors are followed by a dry and slightly bitter finish. With final flavors of mouth-coating, Traverse City honey, this IPA is a must taste.
- Saison Début : A traditional Saison grist of French pilsner, wheat and Vienna malts provide support for a modern hopping strategy utilizing Calypso and Hallertau Blanc, tied together by a blend of Saison yeasts. Floral and fruity. Dry and refreshing.
- 19th Amendment Stout : In honor of female craft beer supporters everywhere, we offer up this high gravity stout brewed with a combination of American 2-Row barley, chocolate malt, roast barley, and a variety of specialty malts. This beer balances roast flavors with late kettle additions of chocolate, chokecherries, and raw cane sugar to provide a complex malt profile. Light hop additions of Nuggett and East Kent Golding hops, provide balance to this seasonal beer.
- Fresh Haze : Introducing Fresh Haze IPA, our newest IPA is hazy with a chance of obsession. The flavor explodes in your mouth with notes of orange citrus sweetness and a soft malt body. Carrying both citrus and tropical fruit from Mandarina, Amarillo and Simcoe hops…OJ for days.
- White Birch Oak Senex Torva Saison : With this batch we aged our Saison for an extended period of time on oak chips with a special brettanomyces strain. The result is spicy and tart, with mild fruit notes and a crisp dry wild finish.
- Sheequarsar White Ale : This white ale used wheat, adding Sheequarsar (Okinawan Citrus depressa), which is a fruit resembling a lime. Fruity flavored, light & smooth taste.
- Feral Vinifera #2 - Murray : Feral Vinifera is our foray into a new and exciting adventure in the Santa Ynez Valley, that expresses our collaborative efforts with local grape growers and winemakers. Its journey begins with the sourcing and pressing of grapes from David Walker’s vineyard, co-fermenting the juice with a wheat-based wort, inoculating with proprietary wild yeast and bacteria, and allowing for a long fermentation and maturation in French Oak barrels. We have carefully fermented, matured and blended this beer with the collaboration of our friend, Andrew Murray, proprietor/winemaker at Andrew Murray Vineyards. The resulting cuvee; a partnership of Sauvignon Blanc, Chenin Blanc and Muscat grapes co-fermented with Soul Opal bends the mind and senses. Pineapple, mango, guava mingle with Meyer lemon and gooseberry. A funky savory yeast bouquet lays down a firm foundation, fruity esters and tart acidity lend body and structure. Finishing with a flinty minerality.
- Sleeping Forever : This intense, deep, dark, full-bodied imperial stout will be released once a year. We will brew a double batch of this beer immediately, so half of the batch will go into bourbon barrels and "sleep" for 12 months. Variants and more information to be announced prior to release.
- Milly's Zeus's Belgian Wit : Zeus's Belgian Wit is a Belgian-style wheat beer that is unfiltered and pale straw in color. Made with 5 different malts and a blend of spices and citrus peel, it is a flavored ale that is refreshingly crisp with a dry finish. Fermented with Belgian yeast, a subdued fruitiness can be detected in the aroma and flavor.
- Woodstock Wheat : This German style Hefeweizen is our most popular beer. Brewed with 60% white wheat malt, and 40% pilsner malt. A special yeast strain contributes the characteristic fruity, spicy, clove, and banana flavors that make this style unlike any other. Just a touch of German hops provides enough balance to make it an extremely smooth beer to drink. Woodstock Wheat is unfiltered giving it a cloudy appearance.
- Flagship Dark Mild : The British Mild is a popular session ale known for a soft hop character and lower alcohol content. While holding true to these classic guidelines, Flagship Dark Mild is nearly black in color due to a complex malt profile that’s bursting with flavor. Using a wide variety of roasted, toasted, and caramel malts, this ale is meant to salute our fondness for dark beer. With a light bodied mouth feel that is exceptionally refreshing. we created this beer to be a go-to for dark ale enthusiasts and a gateway for the “non” dark beer drinker.
- Public Enemy #1 : Our double GABF Gold Medal winning ESB – Public Ale – aged for five months in a California White Burgundy barrel with three Brettanomyces strains and tart cherries. The Brett slowly chews through residual sugars from the original beer, leading to a very dry, tart, fruity and delightfully funky beer! Only one barrel (~200 bottles) was made of this very special beer. Served bottle conditioned.
- Kuhnhenn Double Nut Brown : Dark brown in color, this American Brown has roasted caramel aromas. It has flavors of nut, caramel, and roasted malt. It finishes on a dry notes. Quite delicious for malty beer lovers.
- Aztec Mummy - Mango And Guava : Aztec Mummy is a marriage of two improbable elements: our gose--a salty, sour beer style of German origin--and tequila barrels from Northern Mexico. The result is a crazy mash-up that's almost impossible to categorize. The addition of mangos & guava complements this beer's infinitely crushable, margarita-esque profile with a veritable Carnivale of tropical fruit magic, taking this already-magical beer profile to staggering heights of delicious refreshment. ABV: 5.8%
- My Girl Wants To Parti Gyle All The Time - 1st Runnings : The parti gyle technique of brewing takes separate runnings from the same mash and boils/hops them differently. This is the first runnings and thus the strongest of the three beers. The nose is earthy and minerals, like fresh soil in a spring time rain. Well balanced between bitterness, warming alcohols, and sweet malt like brown sugar. A peppering of fruity esters gives way to a lingering bitterness.
- Wabash Station : We’re proud to be the first Illinois brewery to take part in the Ales for ALS fundraiser. This fundraiser allows us to use a unique hop blend to create a one-time beer. In return, we will donate $1 to ALS research for every Wabash Station sold! Since the blend is full of very floral hops we decided to make an IPA. With a total of 11 pounds of hops, this beer is not for the IPA weary. You will get a lot of citrus and fruitiness on both the front and back ends. With a very basic grain bill, the hops really shine through. Named and brewed by CSB members!
- Air Drop : This beer is loaded with hops, intense aromas of citrus rind, meyer lemon, pine, light fruits (pear and white grape), with hints of tropical aromas lingering as well. The flavor is bold, with a pronounced initial bitterness coupled with the juicy hop flavors that mirror the preceding aromas. There is a subtle malt sweetness, and a distinct Pilsner crispness that finishes the experience on your palate.
- S.S. Smoking Bog : S.S. Smoking Bog is an Imperial Porter made with smoked cranberries in collaboration with Slow's Bar BQ. This beer is pitch black with a prominent dark mocha head. S.S. Smoking Bog has aromas of chocolate, caramel, roasted coffee, and a hint of smoke. This beer is highly complex with a full body and velvety mouthfeel, big chocolate and slightly roasted coffee flavors up front, hints of smoke and cranberry throughout, and a smooth finish.
- Hoppy Grounds Pale Ale : Hoppy Grounds Pale Ale is an English-style pale ale that combines cold press Ethiopian coffee from our friends at Benelux Coffee with the earthy spiciness of English hops. With a surprising peppery spice and subtle coffee flavor, medium-bodied and complex, this unique pale ale is sure to wake up any palate.
- Sunquake : A burst of energy orders of magnitude larger than anything ever felt on Earth - the Sunquake! Such an unfathomable event is fun to ponder, especially while sipping on a beer. Our Sunquake is brewed with a wide array of malts and hops, bringing notes of fresh marmalade, lightly toasted bread, resinous orange flesh, grapefruit peel, and a bit of kiwi on the finish. Drink, and ponder the wonders of the universe.
- Schlafly Oak Aged Barleywine : Our Oak Aged Barleywine has a deep copper color and an intense malt flavor balanced by assertive hops. Fermentation with American ale yeast allows the caramel malt to shine. We age the beer on new, medium toast Missouri Oak to enhance its complexity and to develop its smooth, luscious character. 
- Lunar Ale : Our first new year-round beer since 1996, Lunar Ale is in a category all its own. Brewed using a unique aromatic yeast, this refreshing variety is best described as a cloudy brown ale with a complex, malty aroma and flavor, and a crisp, dry finish.
- Boji Beach Golden Rye Ale : Light golden in color, crisp, smooth and dry with slight bitterness to balance the sweetness of the malt. This beer will be well received by American Lager fans even as an ale. The rye adds a bit of spicyness and some bakery qualities which enhance the complexity of this beer.
- Portneuf Cocoa Porter : Silky dark malt flavor that's slightly toasty with a bitterswet chocolate finish and medium hop bitterness. Now made with cocoa!
- Cassiopeia : Cassiopeia is an imperial porter brewed for the onset of winter. Black as the night sky, our imperial porter is brewed from a blend of premium dark malts chosen for their complex caramel/chocolately/fruity qualities. Cool-fermented with a clean Scotch ale yeast that emphasizes malty richness and earthy, mossy aromatics-think of Cassiopeia as a Baltic Porter fermented like a Wee Heavy. This velvety, warming ale is surprisingly well attenuated, light on the palate and digestible.
- Stout : Declaration Brewing makes a stout that is dark and roasty, yet avoids the acrid bitter imparted by the darkest grains. Our beer is robustly bittered and flavored with American hops. The citrus and piney character of our hops complement some grain flavors and contrast with others to make a complex and interesting beer, yet very drinkable
- Farm Pale with Denali : Brewed with rye and oats and aged on charred oak logs from our woods, this pale ale has a malty body and a fruity hop character from Denali dry-hopping. Brewed in small batches and bottle-conditioned with live yeast in our earth-beamed cellar.
- Fat Tire And Friends Fat Wild Ale : Thanks to Boulder’s finest for this unabashedly tropic take on Fat Tire. Avery took a healthy dose of Brettanomyces Bruxellensis Drie to create a Fat Tire spin with a sturdy malt backbone, fruity hop aroma and a tropical pineapple layer. Heed the call of the wild Fat Tire.
- Poop Your Pants Chocolate Bock : The first time Gary tried this beer he got so excited, he pooped his pants on the spot. This lager is malt forward, full bodied, and finishes smooth and creamy. Rich and complex, our traditional Munich style Bock features seven types of chocolate and cocoa nibs added to both the boil and the fermentor.
- Dark Perennial : Dark Perennial is dark, tart, & fruity. We've combined blackberries, rhubarb, and a bit of boysenberries, to create this unique brew. We added some Midnight Wheat to make things a bit complex, and just a tad out there.
- Forces Unseen (Blend 5) : The Forces Unseen series highlights our passion for experimenting with new and different microbes to create various flavor profiles. This new iteration of Forces Unseen blends 5 different golden sours together to create a nuanced and complex golden sour beer. Undiscovered until mixed together, the assorted yeast and bacteria used in this blend reveal notes of lemon zest, dry cider, & candied lemon.
- Conspiracy : Conspiracy Belgian-style Black Beer is the result of a collaboration between Midnight Sun brewers Gabe Fletcher and Ben Johnson and Pelican Pub (Pacific City, OR) brewer Ben Love. These brewers conspired during barley wine fest week to brew up a deviously delicious dark Belgian-style beer.
- Vanguard IPA : This beer was made as a nod to IPAs before the days of the current super hops. Aggressive, lingering hop character with Cascade, Centennial, El Dorado, Magnum, and Willamette hops layered to create an interesting and complex flavor profile.
- The Heart Desires : This beer is part of a project we have been working on at the brewery for a few years now. We wanted to create a modern sour aged in barrels, with the same complexity and depth of flavour which our favourite sours from the USA offer. This beer started life as a simple blonde ale with low bitterness and was fermented with our house yeast. We then aged this in Burgundy barrels with fruit for well over a year.
- Sour Batch (Motueka) : Next up in our Sour Batch series of beers is an incredibly tart, hoppy and refreshing wheat beer single hopped with Motueka. The tart finish from the lactobacillus, pitched in the kettle, compliments the zesty flavor of the Motueka hops harvested from New Zealand. Flavors of lemon, lime and tropical fruit shine bright so Get ready to pucker up!
- TrIPL : trIPL is a massively hopped Triple India Style Lager with a deep copper color and full body. Intensely aromatic with hints of pine and citrus, our special warm hopping process help the Columbus, Chinook and Citra hops dominate, giving the beer a bitter back and a long, complex finish.
- Darkest Before Dawn : NOLA Brewing’s first lager will be a Munich Dunkel, a dark European lager that is a deep dark copper to brown color. Brewed with predominantly German Munich malts and a small amount of caramel and dark roasted barley, this beer will have a rich, malty aroma with a hint of sweet chocolate. This lager will not be a hoppy beer and the malt shines through on the tongue. Darkest Before Dawn will have an ABV between 5 and 5.5 percent.
- Mortimer : Mortimer is out tribute to stock ales, strong brews aged in barrels to develop rich and complex flavors. A long slumber matures the beer, developing cherry and dark fruit flavors that meld with the cacao and soft vanilla notes from the oak and malts. A soft acidity cleans the palate, inviting you back.
- Grapefruit Saison : Brewed with pilsner malt and wheat, along with the zest and juice of several hundred pounds of grapefruit in the whirlpool and then a second addition of zest in the tank after primary fermentation. Hopped with Chinook and Cascade and fermented with a mixed culture.
- Ichabod's Return : Ichabod’s Return embodies everything we love about fall; Mulled spices, Halloween, and the colors of falling leaves. He is medium bodied, copper in color, with raisin, dried fruit and clove flavors. The added nutmeg and clove present a remarkably warm and spicy aroma, due to the perceived absence of hops.
- Oaked Spokes Series: BMX Barleywine (Rye Barrel Aged) : This American barleywine will derail you if not careful. This medium to full bodied ale packs a powerful punch, but is also very approachable for such a big beer. Unlike some barleywines our barleywine finishes dry without cloying sweetness. A medium hop bitterness balances out the body and caramel malt flavors. Rye barrel aging steps up the complexity adding a distinct spiciness.
- Brett Pale Ale : No Sachromyces was harmed in the making of this beer. The wild yeast Brettanomyces was added to pale malts and a ton of Citra and Centennial. Dry hopped with more citra and centennial, this funky beer is full of citrus and tropical fruit flavors.
- Earth Rider Edward Ryerson IPA : Bready malt character combines with complex hop flavors (cherry, pineapple, piney) to produce a distinctive IPA. The addition of rye lends a prominent spicy note to the flavor profile.
- Passion Of The Wheat - Passion Fruit Hoppy Wheat Ale : Passion fruit from South America, Galaxy hops from Australia, Amarillo hops, malted wheat and barley from North America combine to create this tart hoppy, yet refreshingly unique ale.
- BaZinga Baltic : This beer’s aroma blends malty sweet caramel with dates and dark cherry. These full-bodied and complex notes carry through in the taste, and are supplemented by toffee and bittersweet chocolate that lingers in the finish.
- Awkward Phase : Brewed with our old friends from NMBCo, and our new friends from Verdant and Deya, this IPA features Chinook, and a prominent, aromatic, and complex maltiness from a touch of Munich and Château Arome malts in the grist. A power outage shut us down mid brew, but rapid service and repair saved the day and got us back up and running in time to finish brewing.
- Stumbling Saint : A dark, very rich, complex, very strong Belgian ale. Complex, rich, smooth and dangerous.
- Mycetes : This Belgian Style Ale has a light malt body and soft malt sweetness to balance the flavors imparted by hedgehog mushrooms. The fruitiness of the mushrooms is accented by earthy characters and plays well off of the Belgian yeast strain.
- Orb Alarm : A Single Hop IPA. Brewed with Spelt. Hopped singularly and intensely with Equinox. 6.2%. Hazy, fruity, and extremely enjoyable. A beer to be consumed time and time again.
- Old Barrel Dweller : Three months in Kentucky Bourbon barrels has added an extra layer of complexity to this potent Winter favourite. Enjoy now , or cellar away.
- Beer Camp Across The World: Atlantic-Style Vintage Ale : Fuller's Brewery in London has been producing some of the UK's finest ales since the mid-19th century. Together we created a new recipe for an Atlantic-Style Vintage Ale---a robust beer, perfect for aging, and brewed with plums for a touch of rich fruit flavor that both mimics and enhances the natural yeast-driven aromas.
- Baltic Porter : Baltic Porter is exceptionally dark, with a heavily roasted, smokey aroma. Unlike traditional porters, baltic porters use lager yeast, making the beer velvety smooth and slightly sweet. We added dried licorice root to give a pleasant, faint herbal note. The flavor rounds out with roasted notes of dark chocolate.
- Porter : A dark chocolate caramel front with French roast coffee finish. The balance of flavors leaves you wanting more! A.B.V - 7.9 I.B.U - 39.
- Brown Ale : Dark and medium bodied with hints of caramel.
- Coconut Joe : Cousin to Elsie's, Coconut Joe matches the bite of roasted coffee with a hint of coconut sweetness on the finish. Our most popular dark beer, and approachable for light beer drinkers.
- Massive Madrileno Ale : Barleywine brewed with German Saaz, Polaris, & Mandarina hops and a punch of American Nugget. Intensely malty with deep caramel character, notes of dark, dried cherries, tangerine citrus, mild floral and mint notes, luscious, velvety texture, sweet, warming finish, pleasant bitter hang.
- Holy Icon : Holy Icon (8%) is a Sour DIPA w/ raw wheat, malted oat, milk sugar, passionfruit & vanilla beans, hopped w/ Mosaic & El Dorado.
- Chocolate Wheat : No added chocolate! What can we say... slick, stylish and incredibly enticing.. This Dunkel Hefeweizen style is like no other. Intensely dark, and enticingly rich banana, chocolate, mocha and toffee character. All this with a clean and crisp wheat freshness. Conditioned for 8 weeks prior to release.
- Curiosity Ten : The tenth installment of our Curiosity Series, which began back in Brimfield back in March of 2013, is a gorgeous Double IPA completely saturated with hops. An imperial mash-up of Curiosity Six, Curiosity Nine, and Julius, Ten is one of the juiciest beers we’ve made. The aroma and flavor is filled with notes of orange juice and orange rind balanced by a pungent earthy dankness. Grapefruit, mango, and papaya also compete for your tastebuds while a soft mouthfeel and proper dryness make it a pleasure to drink! Ten!!
- Unloved - Apple Brandy Barrel : Unloved is a huge, viscous, dark chocolatey 11% imperial oyster stout. We were gifted a Blue Bee Cider Apple Brandy barrel to age Unloved in. We aged it for 1 month to give it some added complexity.
- Drop Bear : Australians know that at all times you need to be Drop Bear wise. Always hunting, Drop Bears are essentially the predatory and carnivorous koala bear waiting patiently from the Eucalyptus. To do our part for awareness we’re dropping this double IPA showcasing Galaxy. An intense tropical citrus aroma and flavor with a topnote of stone fruit combines with a firm malt body to balance the gentle warming of the 7.3% ABV. Look up, the Drop Bear is coming.
- San Francisco IPA : This West Coast IPA features an explosive aroma of citrus, tropical fruit and dankness from a blend of Citra, Mosaic, Simcoe, Hallertau Blanc and El Dorado hops. Intensely hoppy without overt bitterness, a light malt backbone balances this IPA, giving it a clean finish and making it a beer to be enjoyed again and again. Inspired by San Francisco but brewed to be enjoyed everywhere. Enjoy with super burritos, hangtown fry, and rich cioppino.
- Cow Tippah Chocolate Milk Stout : Darker than the Badlands at midnight, smoother than a fleece blanket in January, this chocolate milk stout reminds you what it was like to dive into a decadent oversized chocolate bar as a child. Easy to drink, easier to please, kind on the eyes. At 5.9% ABV, this milky smooth sweet stout begs to be sipped and pushes over the competition. Fair warning though, this beer contains lactose sugar and should be avoided by those so unfortunately intolerant to that creamy sweet milk sugar. 
- Wild Cat Pale Ale : A tropical fruit flavored pale ale fermented with a wild yeast
- C1 IPA : Malt: Pale Ale, Pale and Dark Cara.
- Christmas Ale 2011 : Christmas Ale (November - December) rounds out our calendar. Generally, this beer is a dark ale, however, the recipe changes each year, offering a unique product crafted with special care. Enjoy your holidays with Abita Christmas Ale.
- Newport Storm - Peter (Cyclone Series) : This Cyclone was brewed with the winter months in mind. Each delicious sip will conjure memories of a holiday fire and happy times from winters past. Notes of cinnamon, nutmeg, allspice, clove and vanilla abound in the aroma and flavor of this brew, surely bringing out your best holiday spirit. Peter has a strong malt background with a slight brown sugar sweetness from Belgian crystal malt. He is lightly hopped to create a complex balance between malt, hops and the loads of spices added during fermentation.
- Burdock American Wheat : Made with wheat, but clean and clear as a summer day. All-American yeast and hops (Galaxy & Mosaic).Light taste. Rich golden colour. Big passion fruit and fig nose.
- TRVE / American Solera - Devil Stuff : A Spooky Ale to Drink in the Dark.
- Spacewalker American Belgo : Spacewalker American Belgo is named for the surprising number of astronauts who have called Ohio home. Brewed with Belgian yeast and American hops, including the experimental ADHA 881 hop, Spacewalker is bold yet balanced with spicy, fruity flavors.
- Batch #0011 - Farmhouse Porter : A saison yeast provides a slight fruity accent to chocolate and coffee notes in this rich and velvety porter. A hint of minty hop character rounds things out to make for a truly intriguing beer.
- Storyteller : Though Storyteller was a moniker bestowed upon me when we were young, it came with a bit of ironic nature to it. Mainly because I was really bad at telling stories. I may be bad at telling stories but, thankfully for you my fair drinkers, I am rather good at brewing beer. Storyteller is my Imperial Stout. A big full bodied stout, this beer has huge amounts of roast and chocolate helps out the great malt backbone. Big velvety mouthfeel without being overly sweet with notes of dark fruit. A nice drying flavor from the alcohol helps balance it all out. Enjoy. Oh and if you drink one you need to tell us all about your adventures (real or fiction) with this beer. What's your story?
- Czech Baby Czech : Light and refreshing with a fruity nose and subtle hints of clove and allspice define this everyday beer. With a clean finish that leaves you wanting another sip, this hazy thirst quencher is a modern throwback to Plzen Bohemia, the birthplace to Pilsner.
- Dark Elixir : Aged in 12-year-old Heaven Hill bourbon barrels for 24 months. This beer's aroma is reminiscent of chocolate covered sour cherries. Notes of dark chocolate and cherries lead the way to a mouth puckering tartness that leaves you wanting more so...
- Selfie Destruct: New World : Selfie Destruct: New World is dry-hopped twice with Motueka, Waimea, and Wai-Iti, and hit with a third dose of just Waimea. The result is a different beer from the OG Selfie Destruct. Dripping with cherry, lime, and tropical fruits, this full and creamy beer is a fruity bomb pop of New World hops.
- Fermented #4 : Fermented #4 is a DIPA with essentially the base of Chosen One and a completely altered fermentation profile and hopping methods. The result is an extremely smooth 8.5% ABV DIPA loaded with tropical fruit and ripe cantaloupe flavors/aromas.
- Sir Dunkle Crispy Dark Lager : In the old days, most dark beers had a reputation for being heavy, even sweet. Not this one. By reinterpreting some historic German traditions, including the ancient “altbier” style of Düsseldorf and adding a decidedly 21st century American twist to it, we’ve created a dark beer with a dry, refreshing character and a ton of personality. We start with a mix or pilsner and pale ale malts for a complex, dry maltiness, then layer on specialty malts that add toasty, cookie and a little dark toffee character. All of this is balanced by a hop mix that adds to Sir Dunkle’s crisp complexity. Lagering rounds off any rough edges, leaving a satisfyingly dark-beer flavor with a clean drinkability.
- Brooklyn 1/2 Ale - Session Saison : Brooklyn Brewery 1/2 Ale hearks back to traditional farmhouse ales, which used to quench the thirst of farmhands and other laborers on hot sunny days. These saisons were complex yet clean, low in alcohol and high in refreshment.
- Royal Sea Lavender Saison : In modern times, we celebrate lavender for both its antibacterial properties and its ability to relieve stress and depression. At Outer Light Brewing Company, we used it in our first experimental batch, Royal Sea Saison. What better way to welcome springtime and extended light (and life!) than with a beer designed to help you relax? Taste the light touch of honey, the fruity flavor of Triskel hops, the cloves and plums from Belgian yeast, all blended beautifully to accentuate the power of our lavender bouquet.
- Jutsu 1.0 : In life, Jutsu is all about stealthy ninja techniques (well actually techniques, skills, methods, tricks, or spells according to Wikipedia) but in beer it’s a fantastically balanced pale ale brewed with Citra, Amarillo, and Mosaic hops. A clean malt character provides the perfect base for the fruity, juicy hops to take centre stage. Easy drinking with low bitterness. Meet version 1.0!
- Division: Hotel : DIVISION is a blend of two ROSWELL variants with an additional fruit added. HOTEL: Blackberry, Apricot, and Black Currant.
- Dirty Blonde Mustovich : This dark golden, boozy concoction with fruity esters is named for a dirty blonde authoress and chef who recently acquired a new last name. She loves to lounge and entertain and this beer is perfect for lazy times and long chats.
- White Birch Quad : We brew our Quad in homage to the Trappist brewers in Belgium. Rich, complex, smooth and a bit drier than an Abbey version. This is a beer to be enjoyed now or for years to come.
- Ond Smoked Porter : Ond shows our love for smoked and dark beers. Strength-wise, it belongs to robust porters, which means it has a slightly higher alcohol level and a medium body. The smoked character is incorporated into the entire beer and does not obscure the combination of roasted malts that give it a chocolaty and caramely character. To top it all off, we have added a carefully selected combination of Slovene and American hops that together, in the form of a slightly herbal woody note, conclude the complexity of Ond.
- Belgian IPA : The Belgian IPA is based on our regular IPA – pale, Munich, Carapils and caramel malts, hopped 4 times in the kettle and double dry hopped with a blend of Cascade, Citra, Chinook, and Columbus hops. The Belgian IPA features a larger portion of Citra hops and a higher degree of attenuation (7.7% abv compared to 6.8% for the regular IPA, same starting gravity) along with the added fruity/spicy character from the Belgian yeast results in an intense blast of hop aroma and flavor.
- Virmalised : Translation: Aurora Borealis - A powerful and hoppy IPA that uses a blend of American hops, giving the beer a fresh citrus and grapefruit punch.
- Hibernal Fluxus 2017 : In appearance, this beer is all stout. Its black body and brown foam are the result of a grain bill containing: 2-row malted barley, multiple roasted malts, Munich malt, and local oats from Aurora Mills and Farm. To notes of coffee and chocolate, the saison yeast adds mild tropical fruit esters and a rustic spice. The addition of rich lactose sugar is tempered by the beer’s lightly bitter finish.
- Hazelnut Brown Ale : A traditional mild brown ale brewed with English malts, hops, and fresh Hazelnuts. Malty and nutty with a mild hop presence makes this Brown ale approachable for novice beer drinkers, but can satisfy those who like a malty dark ale.
- Cherry Bomb : This perfectly balanced fruity ale is brewed with noble hops & sour cherries. It is a delicate tasting luxury designed to explode with flavor!!!
- Interboro / Mumford - Mad Fat! Method : Brewed with our homies from L.A. at Mumford Brewing. Pours pale golden yellow, with this white head. Aromas of citrus, tropical pineapple, bright tangy fruit flavors with mild hop bitterness. Brewed with Dutch Pilsner, malted wheat and oats. Hopped with Mosaic and Motueka, and double dry-hopped with Simcoe Lupulin dust.
- Petit Dubois : Dark saison that was aged in apple brandy barrels for 6 months. Notes of tart cherries, herbal hops and caramel apples.
- Into The Great Unknown (Mosaic Edition) : Into the Great Unknown is our dry hopped series of lambic inspired’ beer. We start out by blending 9-14 month old barrels, then dry hop in the blending tank with a specific variety of hops (in this case Mosaic), and bottle condition with wine yeast for at least three months. Aromas of tropical fruit from the hops blend nicely with the funk and acidity of the underlying blend.
- Hitchhiker : A far cry from our original IPA, The Hitchhiker is a big floral/citrus American IPA. Aromas and flavors of pineapple, grapefruit, orange, and tangerines take center stage with a tad bit of caramel malt backbone to balance just a bit. A very dry finish with hops flavors lingering...this one is for the hopheads.
- Bookbinder : A wonderfully drinkable interpretation of a classic English ale. Bookbinder Bitter is a blend of four malts combined with two classic Nelson grown European hops (Fuggles and Riwaka). The beer pours an attractive reddish brown, with a cream coloured head. Bookbinder Bitter has a sweet, perfumey, malt and hop aroma with a soft, malty, fruit and vinous palate that is both full flavoured and refreshing with a long, gently drying finish.
- Fruition : Dry-hopped wit beer brewed with passion fruit, mango, and kiwi.
- Muskoka Winter Beard (Double Chocolate Cranberry Stout) : Our Double Chocolate Cranberry Stout is rich and sturdy with roasted dark chocolate malts, real cocoa, 70% dark chocolate, and freshly harvested local cranberries. Pair that with a slightly higher alcohol content and you'll find yourself sharing this bottle of joy all winter long.
- Veruca Gose : Gose fermented with lactobacillus and aged on mango, passionfruit and sea salt
- Velvet Charmer : Ooh, mama...This Strong Scotch Style Ale is a malt-bomb of flavor. Dark and complex, it's made for those who have a deep desire for a layered, malt depth in their beer. With hints of cocoa and black licorice throughout, and a mild sweetness that is balanced in the finish by restrained bitterness and pleasant alcoholic warmth, this is a flavorful brew fit for a king.
- (512) Bruin : At once cuddly and ferocious, (512) BRUIN combines a smooth, rich maltiness and mahogany color with a solid hop backbone and stealthy 7.6% alcohol. Made with Organic 2 Row and Munich malts, plus Chocolate and Crystal malts, domestic hops, and a touch of molasses, this brew has notes of raisins, dark sugars, and cocoa, and pairs perfectly with food and the crisp fall air.
- Brett Amber : Caramel and roasted malts have mellowed with age but contribute extraordinary complexity, while the Brett has further brought out hints of cherry-like summer stone fruits. Hints of chocolate and nuttiness from the sherry add roundness to the finish.
- H4LF2UAD : Rich, complex malt character with notes of caramel, raisin, and dried fruit with spicy Belgian yeast esters and super subtle earthy hop balance. Light mahogany color with a full body and slight alcohol warmth.
- Secular Celebration : Belgian christmas Ale - Fruity, dark and malty. Seasoned with a secret blend of spices.
- Pryed IPA : This year, to celebrate Pride, brewer Molly O'Brien has envisioned a Rye IPA. The slightly spicy character of the flaked rye is matched and complemented by the somewhat herbal and fruity notes of a new hop variety we are playing around with, Kazbek.
- Beerbuddies Batch #002 - Dark and Moody : Also known as Dark and Moody
- Mexican Lager : A clean and refreshing Lager with fruity esters, accented by fresh kaffir lime leaves. Pairs with spicy food and your favorite summertime activities!
- Wachusett Strawberry White : The complex, spicy flavors of this traditional Belgian yeast are offset by delicious strawberry flavor. Brewed with 160lbs of strawberry puree per batch.
- Kerplunk Imperial Chocolate Stout : Kerplunk! Imperial Chocolate Stout is named for the delicious sound made as large amounts of Wilbur chocolate and west coast hops are added directly into the simmering brew kettle. This hefty black Imperial-style stout boasts a rich caramel sweetness lavished by a robust, deep-roasted heartiness you can sink your two front teeth into. The bold flavors found in Kerplunk! are produced using a generous blend of roasted barley, crystal malts and locally produced chocolate. The resulting brew exhibits a deliciously complex and unique profile of subtle mocha coffee and intense chocolate, balanced nicely by the underlying roasted hop bitterness.
- Ol' 169 : Like the classic 169 locomotive, this brew is rich in character, dark, and smooth. The Denver & Rio Grande engine retired in 1938, yet this unique stout keeps her memory alive on the tastebuds of beer and train lovers today.
- Oude Suiker : For the first release in our “Oude Suiker” series (spirit barrel-aged spontaneous beer), we began with an exceptionally expressive Méthode Traditionnelle barrel that had aged for 30 months. The beer was then transferred into five freshly dumped 10-gallon brandy barrels from Old Sugar Distillery and allowed to rest for an additional year. The small format barrels afforded their contents increased contact with the spirit-soaked oak, which infused notes of vanilla and caramel into the already mature base. Over the course of a year, evaporation in the barrels further concentrated those flavors and intensified the complexity of the beer, giving way to an immensely decadent spontaneous beer.
- Cellar Monkey (Cellarmaker Collaboration) : Combine 2 outstanding boutique breweries and we come away with one fantastic brew. Made in collaboration with San Francisco’s own Cellar Maker Brewing, Cellar Monkey is a west coast IPA with a few twists. The addition of passion fruit plays off the acidulated malt and wheat in the grist. Galaxy and Nelson hops provide a mixture of dank resins and unique tropical juiciness that continues to evolve as the beer’s temperature increases. This beer can be crushed and casually enjoyed or can be an adventure in and of itself…if you want to see how far the rabbit hole goes.
- Loral Rebellion : Rebellion was created as a single hop pale ale to showcase the characteristics of new hop varietals and old favorites. Always brewed with the same American and English malts and to the same level of bitterness, the soft malt character allows the unique flavor and aroma of the LORAL™ hops to shine. Developed by The Hop Breeding Company, LORAL™ straddles the fence between old and new world hop aromatics. A pleasant, floral aroma is followed by flavors of citrus, spice and tropical fruit. Grown in the USA.
- Trinitas : Our Tripel is a delightful spin on the monastic tripel ale. Three different grains combine with three different hops to create a delightful balance of floral hops, lightly sweet malt, spice, and hints of citrus fruits. It is medium bodied with a lightly sweet finish and a hint of warmth. ​A zesty flavor rich ale.
- Hellabent : Hella Bent Imperial IPA is packed with resinous and fruity hop aroma, which is provided by Citra, Mosaic, Amarillo, and Centennial hops. Two-row pale malt along with some crystal and honey malt punch up this beer to an 8.5% alcohol content.
- Midnight Star : Don't be afraid of the dark.
- (512) THREE : For our 3rd Anniversary release we knew we had to pull out all the stops. Please welcome to the family… (512) THREE Belgian Style Tripel! Brewed in the spirit of the abbey ales of Belgium, (512) THREE pours a deep golden with a dense, creamy white head. The authentic Belgian yeast strain produces a complex, spicy palate that balances ripe fruity esters with bready malts and firm but subtle hops. Our house-made liquid invert sugar contributes an effervescent mouthfeel that finishes smooth and silky but enticingly dry, barely betraying its nearly 9.5% ABV/VOL!
- Evil On Brandy : Belgian Strong Dark Ale aged in brandy barrels for 6 months.
- Firestone 18 - Anniversary Ale : We blended together 227 oak barrels containing 9 different beers creating something dark complex and 100% original. 
- Malty McFly : Our Red Ale is a slightly sweet and malty beer with a dark copper color. We added hints of hops and fruitiness but our main focus is on the malt character.
- Souther Crux : Inoculum's Berliner inoculated with Guava and Mangos. Our take on a Raspberry syrup Berliner. A considerable guava inoculation builds a Berliner with complex sour notes, while Mango adds a noteworthy sweetness. 
- Box Set Track #7 - The Devil Inside : We went back to the well for this one. It is a remix of our classic Veritas 006 aka sangria. We have raspberry and cherry providing the bulk of the fruit texture over a sour yellow base beer. To this we also added some orange peel and freshly zested mandarin orange zest as well. The beer finishes with a nice tannic finish and is truly a refreshing riff on a Lost Abbey classic.
- Edacsac Dekoorc Eert : Made with the malt base of Crooked Tree IPA and hopped with Cascade, a classic American hop. This beer is much more on the citrus, or “grapefruit” side of what IPA’s have become known as in American Craft Brewing.
- 7 Day Golden Sour : Sour beers are famous for long aging periods, wild microbes, and flavors that are more complex and intense than any other family of beer. Commonly referred to as Lambics, these beers were once only brewed in a specific region of Belgium and have recently made a migration to breweries of America. Imploring ancient techniques, Seven Day Sour is brewed with a first and second 'slims' process, and a malt bill built with over 30% raw wheat and 30% chit malt to dramatically drive up starches and proteins which our quirky wild microbes love to feed on. We sour this recipe with an advanced and progressive method utilizing a hot fermentation in the kettle with Lactobacillus, followed by a cool fermentation on brettanomyces; making this beer anything but simple. Seven Day Sour is a young and unblended gueuze showcasing a refreshing acidity and complex bretta notes.
- Pineapple Protocol : Double IPA brewed with a Norwegian farmhouse yeast, pineapple & citra hops. Dry and crisp mouthfeel with floral notes and intense citrus fruits.
- Sabrosa : Porter inspired by Mexican chocolate. Brewed with over 2 lbs per barrel of cocoa nibs, vanilla bean, cinnamon and cayenne, this beer is rich yet sublimely drinkable, subtly spicy, totally chocolatey, and has the lightest lingering heat for added complexity. We think you'll really enjoy this one. 
- Biers : Called “barley wine” due to its high alcohol volume. Golden in colour, its fragrances and flavours are reminiscent of exotic fruit with bitter-sweet undertones.
- Unity : We've brewed up an Experimental IPA focusing on not yet commercialized hop variety HBC 522. This beer packs a hoppy punch, and is super bright and tropical with notes of lemon, passionfruit, peach, and mango. Super stoked about the amazing bottle art by Nick Fullmer.
- The Whale : A boisterous, yet elegant, display of what happens when you pack a mash ton to capacity. Rich and luscious with seemingly infinite levels of malty complexities and flavors. Rumor has it, if you look up the definition of masterpiece, you'll find a picture of a whale.
- Double Seesaw: Plum, Blueberry & Peach : The Seesaw Series is our gose playground. Designed to capture delight and fun in the form of an easy-drinking and flavorful beer. Each Seesaw has a unique fruit addition to pair with balanced tartness, a touch of salinity, and ABV on the lower side. The nostalgic thrill of warm-weather fun, reimagined in one of our favorite styles. The number of Seesaws dictates once, twice, or three times the fruit added.
- Orchard Reflection : Orchard Reflection is the culmination of several months of hard work: We started with a few hundred pounds of stone fruit (including nectarcots, peaches, and apricots) from our friends at Collins Family Orchards. We then fermented this ale on top of them with our house yeast culture in our oak foeder for 2 months before bottle conditioning for an additional 2 months. The result? Something tart, fruity and delicious.
- From The Tips : Brewed exclusively for the NH Brewers Association Summer Festival, this IPA was brewed with Vienna malt, New England Spruce Tips, and Amarillo hops. It has subtle bread like notes and hints of earthy flavors and grapefruit.
- J.J. Bollerack's Brown Ale : Strong Rope's award winning Brown Ale, this beer is all about updating a classic American style. Centennial hops and Rye take this chocolatey and toasty ale to the next level of goodness. While the beer has a bit of residual sweetness from the low attenuating yeast used, the hops, rye and darker malts balance out that sweetness making a supremely drinkable and tasty Brown Ale. Named after an imaginary childhood friend of Eric, there is nothing imaginary about the robust flavors and aromas that come through in this wonderful beer.
- Stout Of Fire : First taste the vanilla flavors of this sweet milk stout, then feel the fiery after effects of the chili pepper infusion. The surprising complexity of flavor layers makes this ale a unique experience.
- Carrie Ladd : This beer is a tribute to the Steamship Carrie Ladd that ran freight and passengers from Portland to the Cascade Rapids (Cascade Locks) from 1859 to 1862. We ferment this beer with Czech Lager yeast at ale temperature to temper the sulfur that this yeast tends to throw. The unique ferment temperature provides a fresh bread aroma with light cherry fruit overtones to this already rich, roasted, and robust porter. This style was popular among the pioneers that flocked to the coastal Northwest for the gold and timber rush. 6.6% ABV, 43 BU
- Fistful Of Hops "Green" (Spring 2016) : Fistful of Hops is our quarterly IPA series, where we balance an ever-changing "Fistful of Hops" - a new variety for every season - against a consistent malt base. Our Spring 2016 release features Centennial, Mosaic, and El Dorado hops, for balanced citrus and tropical fruit flavor.
- Rye'd Da Lightning : A special rye beer brewed in collaboration with our friends at Reckless Records. Brewed with American 2-row barley & rye medium bodied ale has a sweet caramel biscuit body and a deep golden color. A special blend of hops gives this rye ale an aroma of resiny tangerines & blood fruit. Cheer!
- Nitro Porter : Our smooth and robust porter on nitro hints of chocolate, raisin, and coffee. The dark roasted malts are well balanced against a blend of Centennial and Willamette hops. Pairs exceptionally well with our Braised Pork Shank. 
- Missile Toad Imperial IPA : Missile Toad is loaded with fruit forward Ella hops from across the pond (New Zealand), to create a double IPA worth croaking about. Tropical fruit, citrus, floral and spicy – this brew covers most of the range of hoppy flavours in one bottle. Though “balanced” is not usually associated with the IIPA style, Missile Toad drinks extremely easily with a dry finish and a bitterness that doesn’t hang around.
- The Panther : Hopped-Up Black Lager; Refreshing & Crisp w/ Notes of Toasted Bread, Cocoa & Black Pepper; Pacific Northwest-Grown Chinook Hops Join German-Grown Saphir Hops for a Bitter Finish & Flavors of Tobacco, Pine & Dark Spice.
- All That Is And All That Ever Will Be - Black Currants : For this rendition of All That Is we added black currants. The flavor contribution is subtle and cohesive, amplifying the existing dark chocolate and raspberry notes of the base beer and contributing a soft acidity and tannic structure. A dark and mysterious treat, this is sure to please the more adventurous and curious palate.
- Mandarina Bavaria (Single Hop Series) : Mandarina Bavaria is a fairly new hop, grown in Hull, Germany. It has only been available to brewers since 2012. Its lineage is the Cascade hop and is Germany’s answer to the fruit-forward New World hops like Citra and Galaxy. Mandarina imparts fantastic Satsuma mandarin orange flavor. It has a nice, fruity aroma and is an all-around great hop to stand alone in a Single Hop IPA.
- Citricity Grapefruit Zest IPA : Freshly peeled grapefruit sparkles off the nose, with crisp citrus flavours set against a backdrop of fruit-forward hops.Peel back the sunshine and enjoy some citrus paradise.
- De Levende Doden : Dutch for "The Living Dead." The beer starts with a rich chocolatey base and the addition of the Belgian Trappist yeast and 7 lbs of cherries per barrel gives De Levende Doden a complex fruitiness. The beer comes in at 8.3% ABV and is perfect for a cool, blustery fall night.
- Spritzer Bomb: White : Our zippy Spritzer formulation meets Sloop’s famous Juice Bomb IPA to form Spritzer Bomb. We married three hop strains into three wine varietals to create synergies and a complex profile: Citra’s potent passionfruit notes blend with Sauvignon Blanc. Then we took Enigma’s pungent tropical complexity, to stack up to Gewurztraminer, and the lush peach notes in Moscato pair beautifully with Vic Secret’s soft tropical character.
- Roggenbier : This German-style rye beer is brewed with over 30 percent rye malt for a pleasant spiciness, and it has low hop rates, a dark amber color, medium body, chocolate/light-caramel/roasted malt flavors, sweetness and aroma and Hefe yeast characters.
- Pilot Series: Experimental IPA Batch #2 : Loads of lemon, piney, and stone fruit character.
- Tempest : Tempest is the first release from our seven barrel series. A smooth brown porter, Tempest features healthy portions of dark crystal, chocolate, and brown malts, coupled with the addition of coffee beans to the mash and cold-steeped coffee during conditioning for a rich smooth balance of malt and coffee.
- Kuhnhenn Imperial Michigan Mud : This Imperial Milk Stout is brewed with Michigan-grown malt and hops, along with fresh vanilla beans and cocoa. The nose is rich baking chocolate with a hint of vanilla sweetness. Flavors of dark cocoa, milk chocolate, vanilla pudding and iced latte. This limited beer is only brewed a few times a year, so enjoy it while it’s here.
- Metamorphogenesis : Wine Barrel Aged Golden Sour Ale with Lemon, Passionfruit and Kiwi. Brewed exclusively for our Friend Allan at D. Schulers. Inspired by British Doom Metal, space, and alien evolution.
- Juxtapose Wild IPA : At the heart of this nectarous West Coast IPA stands the juxtaposition of ripe tropical fruit esters and mild Brett funk. Moderately bitter and gracefully balanced. Where orchards meet pastures.
- Traveler Grapefruit Shandy : Formerly Illusive Traveler Grapefruit Shandy
- Game Over - Darkness : This is a barrel-aged wild ale on black currants, cherries and raspberries. The result is a fruity, jammy, and luscious wild ale.
- Institutionalized : Barleywine that is an American style of a classic english ale. Deep garnet red color and rich complex flavor and body, wonderful aromas of dark stone fruits. "The act of being placed in a psychiatric hospital."
- Alpha Brett IPA : An IPA featuring Australian Galaxy hops brewed with wild Brettanomyces yeast. The unique yeast makes this an IPA like no other as it contributes a rustic, earthy character, nicely complement the fruity aromas of apple, pear, and ripe pineapple from the Australian hops.
- Noir : One of our favorite things about the Saison style is the world of variety it lends itself to. With this in mind, we present an atypical beer. Noir is a Dark Saison aged in a 500L Merlot barrel with Malbec lees from Telaya Wine Co. Lees are residual yeast cells and other matter leftover from fermentation. The addition of these, along with the influence of the Merlot barrel, creates a rich & full-bodied ale. Hints of chocolate are enhanced by the earthiness and stone fruit flavors of the Malbec. A surprisingly crisp, citrus aroma & flavor cuts through, adding dimension and intrigue.
- Palisade Wasp IPA : Gizmo Brew Works' IPA derives its name from the Palisade hop, the main flavor and aroma hop in the brew. Bred in the northwest US in Yakima Valley, Palisade hops typically function as complementary hops, but this IPA emphasizes their unique flavor profile. The Palisade Wasp IPA conveys a strong floral aroma with a hint of tangerine. Its complex flavor imparts apricots, flowers, and an earthy, grassy bitterness, accentuated by a clean, dry finish.
- Sweetish Fish : Our raspberry blonde ale finished of with just a bit of sweetness and then a surprise secret ingredient that we can't tell anyone about. The result is reddish pink in color, light bodied, and tastes of raspberry snow cones, red licorice and fruit punch.
- Forking Paths : A Belgian-inspired curiosity, constructed like a Foreign Export-style stout but fermented with our Trappist-sourced yeast strain and bolstered with a substantial quantity of wildflower honey from Merrimack Valley Apiaries in Billerica. MA. Dry and roasty, with notes of honey and fruity Belgian yeast-derived esters.
- Ill-Tempered Gnome Winter Ale : This American Brown Ale is an Oakshire original. Dark malts combine with resinous hops in the Winter Ale to soothe your ill tempered gnome.
- Big Drought Stout : Our Stout is a dark, black ale with a complex roasted coffee-chocolate character. It is a perfectly balanced marriage of malt sweetness and hops, a light body with a gorgeous head. The hops used provide a traditional mellow bitterness in a supporting role. The finish is smooth and dry. Our stout beer is brewed in the traditional ‘dry stout style’ and is very approachable.
- Sandy Wheat : This hopped-up unfiltered wheat pays tribute to our founder's mothers, Sandy. The spirit and malt bill of a Belgian Witbier fused with the hop and soul of an American Pale Ale, with just a touch of grapefruit zest, make Sandy subtly complex yet refreshingly crisp.
- Mr. Blue : Rustique Saison brewed with Blueberries, and is the first beer to be released from our ‘Reservoir Dogs’ inspired series. This 7% Saison has a malt base of Rye, Wheat and Oats to deliver a spicy, fuller mouthfeel, hopped with Galaxy and Belma and then 500 kg blueberries per 1000 litre. This beer is complex and round with Belgian yeasty notes blended with the fresh blueberries that adds notes of nordic forest floors.
- Mountain Town : An incredibly easy drinking ale with some fun nuances! We started with a classic Northern English Brown Ale, then added plums and dry hopped with Australian Galaxy hops. A light, fruity hop aroma greets you upfront, balanced by a toasty malt character. The first sip brings toasty and caramel malt followed by pleasant fruity hop flavor. Hiding in the background, the plums add an interesting complexity that takes a bit to place. Balanced, complex, and sessionable – what more could you ask for?
- Caprice : Golden American-Belgian ale made by using Belgian yeast and Cascade and Amarillo hops from the Pacific Northwest. The result is classic yeast fruitiness mixed with the lively, herb notes from the hops.
- Barn Owl Blend No. 2 : Blend No.2 — This fruity blend includes 2 year old Grandma's Boy and 1 year old Omertá aged in old use oak barrels, along with younger barrel ged brett ales. Dry-hopped with Ella, the aroma reminds us of Motley 2014, with a focus on floral hops, fruit, and brett. Aromatics of honeydew melon and papaya give way to soft flavours of apricot, tangerine, and oak. Nice bitterness in the final impression.
- Double Dry Hopped Sippy Cup : We took one of our favorite pale ales, Sippy Cup, made some minor tweaks to the grain bill and added the entire dry hop… twice! At 6.2% this hazy all American Pale Ale has amped up notes of tropical fruit, citrus and pine!
- Howling Wolf Weizenbock : Howling Wolf Weizenbock was crafted with 40% wheat malt, including German Dark Wheat and Caramel Wheat malts, and minimally spiced with Liberty hops, an American version of the famous German Hallertau Mittelfruh.
- Drafty Kilt Scotch Ale : A roasty scotch ale with a hint of smoke. Full-bodied, but not overpowering. Smokey, but not in a creepy bar kind of way. Sweet, but not obnoxiously so. Sound like your ideal mother-in-law? Fair enough, but it also is a pretty dead-on description of our Scotch Ale. In a difficult hop-growing climate, Scottish brewers relied on other ingredients to impart flavor and bitterness – one such ingredient was smoked malt. Drafty Kilt is a dark, malty bombshell of a beer.
- Scratch Beer 113 - 2013 (IPA) : Another interpretation of the Session IPA style, Scratch #113 is an exercise in minimalism. Two American hop varieties. One type of malted barley. Our house ale yeast. While this session-strength IPA may not sound like a lot on paper, it nonetheless packs maximum aroma and flavor. The one-two punch of Cascade and Centennial hops delivers a fresh citrus-forward aroma and a clean, bitter grapefruit finish. The lone malt variety (Munich) provides a sweet, malty canvas to showcase the simplistic yet artful brush strokes of the hops, allowing the hop character to really shine through. One sip definitely deserves another. At only 4% ABV, you can afford to kick back and enjoy a few of these in one sitting. Cheers!
- Bright - Galaxy : Bright w/Galaxy is a clean and elegant showcase for our favorite southern hemisphere hop - GALAXY! Galaxy is an extraordinarily unique and distinctive hop, and presented here it offers flavors of ripe pineapple, lemon-lime, and orange sorbet. A light body and fluffy mouthfeel make this beer such a pleasure to drink. We love the Bright series for its individualism as it allows the pure character of the hop to shine, foregoing the hop compound biotransformation that contributes depth, complexity, and originality to our core Tree House IPA’s. With this beer you get pure Galaxy candy, and what a sweet treat it is!
- Fruitlands : Formerly Fruitlands - Passion Fruit And Guava
- Frou Frou : Frou Frou is a juicy, draft-only delight featuring the fruitiest hop in the game: Australian Galaxy. Oh you fancy, huh?
- Ribbonman Red : A malt forward beer with a perfect balance of bitterness and sweetness. The deep red color is sometimes confused for a porter or a stout. Dark malts and 20lbs of honey per batch lend to aromatic notes of plums and currents.
- Fruit Bruter : Brewed with passion fruit, boysenberry, Denali and Mosaic hops
- Fork In The Road : The first beer in Blank Slate's "Traveling IPA" series. Autumn is a time of change and mother nature is at a fork in the road as the bright summer gives way to fall's darker colors. This beer sits squarely at the fork where darker malts and brighter hops meet. Munich and CaraRed malts give it an amber color and bigger malt presence than a standard IPA. Generous amounts of Citra and Centennial hops remind you that it's still an "India" style beer nonetheless.
- Kirg : A luscious golden summer IPA brewed with passion fruit and blood orange.
- North V : This year we took another holiday icon, the fruitcake, and designed our holiday seasonal in its’ honor. A mash of barley, oats, wheat, rye, rich caramel and honey malts are mildly spiced with Cascade and Saaz hops, fermented with Fort George house yeast then allowed to condition on hand-splintered, rum inspired oak. A Glase Fruit concoction that includes cherries, pineapple, orange and lemon peel is dissolved into the finished beer to add the final touches.
- Pipewrench : Our Gigantic IPA aged in Ransom Old Tom Gin barrels for 3 months. Botanicals from the gin meld perfectly with citrusy hops and subtle wood in an incredibly complex beer.
- The Belgian Tramp : Dark Strong Ale with figs, dates, and raisins, a collaboration with seven Bay Area gypsy breweries.
- Nyx : The goddess of night! We start out by cold steeping the dark grains to bring about a brownie like smell and flavor, pitch black in color the goddess takes to the night skies. Roasted barley backbone and complex malts compliment the vanilla beans, cocoa nibs and toasted coconut that fight for control of your soul. Once she has you... there is no turning back.
- Oaklore : According to "Oaklore," Orange County was originally covered in giant sequoias and oak trees. Loggers naively chopped down trees to make lumber and oak beer mugs. Eventually, seeing an abundance of lumber and a lack of trees, they planted orange groves, figuring harvesting oranges would be much easier than chopping trees down all day long. The orange groves flourished, and the area eventually became known as Orange County. Brewed to lumberjack standards, this brown ale is aged on oak chips, giving its caramel and nutty body a sweet hint of vanilla and oak aroma.
- 6th Anniversary Winter Warmer : Black Market’s 6’th Anniversary Winter Warmer is an “Old Ale-Style beer”, with a complex blend of flavor layers including malty, dried fruit, molasses and spice. The alcohol warming makes this 6’th Anniversary Winter warmer a perfect fireside companion. Enjoy one now, and age another, to enjoy this ale’s full complexity over time.
- Pips Orange Cacao Porter : Whack and Unwrap . . . Your pint! We named this dessert porter after the seeds of an orange, or pips. Inspired by the iconic childhood treat, we used 30# Cacao nibs, 9# citrus peel, and vanilla beans for a complex adult beverage. Subtle citrus and chocolate aromas unwrap layered flavors of raw cacao, toasted malt with a lingering orange-chocolate finish.
- CULT 031: Plum Your Bum : A classic style but brewed with Umeboshi - pickled plums from Japan. The pickled plums offer notes of cherries and stone fruit which plays nicely with the subtle salt I the base beer. A quenching summer drinker.
- Blackout Stout : Our rich, dark stout is made from three types of select malts and two types of hops. We add heavy, flavorful barley flakes to our stout to give it a thick body and full, intensely rich taste. Like a taste of Ireland, brewed with our pure spring water, stout yeast and finished to perfection.
- Wishful Sinful : Wishful Sinful is an American Sour Ale brewed with strawberries, blueberries, blackberries, raspberries, and flaked rye. Ruby red with a bubbly white head, at first glance Wishful Sinful looks like the Soft Parade we know and love, but a sinful secret awaits. A fruity aroma of fresh berries and just a hint of sourdough bread meets the nose. Sweet berry and spicy rye flavors reminiscent of Soft Parade are accompanied by a bright, sour acidity.
- Light Year : Light Year is a Double IPA prominently featuring Wai-iti and Galaxy with background notes of Mosaic and Citra. Firmly operating in our hop candy mode, we taste typical Southern Hemisphere “purple fruit” notes, pineapple, dank, and spun sugar.
- Infatuation : A blend of a Belgian style dubbel and a Flemish brown ale, fermented with raspberries. Dark malt and cereal notes are characteristic of the dubbel, while the vinous, acidic elements come from the Flemish. Complex, tart and refreshing, a fruit beer, for beer drinkers.
- Full Moon Madness Subtropical Porter : A dark roasty porter body is the backbone for TBBC's signature sub-tropical porter. This beer displays a beautiful blend of banana, vanilla and roasted malts, making it easy to drink and satisfying on even the hottest Florida day. The Full Moon Madness marks the 20th anniversary of TBBC
- Firestorm Black IPA : The intense flavor of this black IPA comes from a base of Equinox and Amarillo hops. While the citrus aroma of the Amarillo dances with the cedar flavor of the Equinox, a complex malt bill featuring wheat, Crystal and roasted malts provide the perfect backbone to complement the premium blend of West coast hop.
- Nightmare On Brett : Dark sour ale aged in Leopold Bros whiskey barrels
- White Birch Small Batch Ale Border Brew Braggot : I tell people from time to time I love to brew a braggot. Most often that statement is met with a puzzled look as if to say, brew a what? It’s okay, I had the same look years ago too. You see, the first braggot I tried was called Brother Adams Braggot from Atlantic Brewing in Bar Harbor Maine. I had dropped by their brewery on a lark while visiting the area and as part of my beer exploration bought everything they sold so I could try them at home. This unusual honey barleywine-esque creation called Brother Adams blew my mind. It was flavorful, lighter in body than I would’ve expected for the high alcohol content, sort of sweet and smooth. I had to know more about braggots and once I did I had to brew my own. My braggot is a spin-off of my barleywine recipe made with a lot of honey. How much honey? Lets just say enough by my tastes. This batch I brewed with Joe Ruotolo of Border Brew Supply fame. I even used his locally sourced, southern New Hampshire honey. The same honey you can buy today at his store if you are so inspired as to create your own braggot. The result is rich, reddish in hue and smooth with a medium full body. This beer highlights a complex malt body, wildflower honey and a nice floral complimentary American hop effect. I hope you enjoy this latest small batch effort as much as I do.
- The Westbound Double IPA : The new favorite. Fruit notes of papaya, mango, and pineapple coming from ridiculous amounts of Galaxy, Ella, and Mosaic Hops.
- Mudbank "A Barrel Of Love For The Scorned" : Infused with tart cherries and dark chocolate.
- Planetary Rotation : A new IPA, bright and fruity with crazy notes of melon, peach, light mango and grape. Beautifully aromatic, with a fun hop combination of Nelson Sauvin and Mosaic. At 6.6%, you can enjoy a few of these out on the deck and watch the planets go by...
- O'Hara's Leann Folláin : O’Hara’s Leann Folláin (”leann folláin” being the Gaelic/Irish phrase meaning wholesome ale or stout) is a full-bodied extra Irish stout launched in 2009 following the very positive feedback to our limited edition O’Hara’s Celebration Extra Stout which was brewed in 2008. We have now included “Leann Folláin” in our 500ml bottle core brand range. O’Hara’s Leann Folláin at 6.0% abv is laden with complex chocolate and coffee flavours balanced by a robust bitterness and delicate spicy aroma imparted from the generous portions of Northdown and Fuggle Hops.
- Belgium Strong Dark : Dark ruby brown and strong with plenty of character from a Belgian yeast strain. Malty sweetness coats the palate, with notes of dried fruits and caramel. Finishes with an alcohol warmth.
- Stone Fruit Stout : Complex milk stout brewed with plums, apricots and star anise. Slightly tart with strong licorice notes.
- Polaris : Polaris is our first special release beer—a wheat stout aged in Jim Beam bourbon barrels. We started with our winter weizen stout Ursa Minor, fermenting it to completion in steel before barrel aging it for 5 months. Hints of the base beer remain but with the added complexity of vanilla, raisin, bourbon, and oak notes. Conditioned to a moderately low level of carbonation in the bottle, this beer is a perfect cold-evening sipper.
- The In Between : This deliciously tart fruit storm was aged in oak wine barrels with our house culture and dosed with a heaping volume of boysenberries, leaving a deep violet color and fresh fruit character.
- What Does The Fox Saison? : This delicate brew has a super clean and crisp profile with wonderfully fruity tones as well as some light spicy notes from the added chilies.
- Wild Oats Series No. 25 - Koru : Koru Belgian Pale Ale boasts interesting spicy, peppery yeast notes, with tropical fruit inflections from New Zealand Nelson-Sauvin and Rakau hops. Complex and tasty, with a dry finish.
- Magic Word: Strawberry & Peach : A small pale ale with lactose, fruited with peaches & strawberries
- Sierra Hotel : This beer delivers the high hop content and flavour of an IPA with the smoothness and low alcohol content of a pale ale. Basically it has all the flavour you could ever ask for and you can drink a bunch of it. A unique blend of hops will offer a nice bitterness along with some flavours of pair to go along with the usual citrus fruits and resin you might expect from American pale ales.
- Guest Worker : Rose color, spicy fruit aroma, mild carmel flavor, light body.
- Battle Of The Lords : To become your best self you may need to vanquish your old self. You look at your reflection in the mirror, smash the mirror and walk forward. Galaxy and Vic Secret provide notes of passionfruit, pineapple, orange and lime with a definitive hop punch.
- Vienna Lager : While “lager” generally conjures images of clear, yellow beer with a crisp character, this is a darker take on the style. The color tends toward a dark burgundy, with the Vienna malt in particular bringing a tinge of spice to the full, malt-forward body. Vanguard hops provide an earthy bedrock for this winter-friendly brew.
- Pale Joe : A light, golden ale brewed using high end, lightly roasted, fruit forward coffees that don’t get too bitter or astringent. Brewed with a naturally processed, sun dried coffee from the Sidamo region of Ethiopia, roasted at Ferris Coffee, right here in town.
- Amaizing IPL : Corn India Pale Lager. We used a generous amount of flaked maize in the grain bill and added a ton of hops, domestic as well as varieties from Australia and New Zealand, before fermenting it with our house lager strain. The result is a nice beer with huge tropical notes of citrus fruit, kiwi and white grape, and a light lingering bitterness that begs for another sip.
- Villainous : It’s the most diabolical of plans. Instead of a single yeast strain, Villainous employs four; two British and two West Coast, to make one Super-IPA strain. This imparts subtle flavors like apple, clover honey and pear. A blend of the most coveted hops adds floral and fruity flavors in perfect compliment. A nefarious pleasure to be sure.
- Warrior : Winner of the Silver Medal at SIBA Wales and Western Section beer awards. A classic premium ale, distinctive and full bodied. Malty and fruity, dry hop finish. A superb premium beer.
- Big Sipper : A golden citrusy, floral, slightly fruity DIPA, with a crisp dry finish. Dry Hopped with Citra, Centennial, and Simcoe.
- M4 : In the fourth installment of our M-series beers we teamed up with Mostra Coffee in San Diego to emulate a café miel. Big roasted coffee and sweet honey are complimented with cinnamon to make up this delicious Imperial Stout. The components come out in layers starting with a big nose of fruity honey and a hint of fresh ground coffee, then spicy cinnamon comes to dance around on your tongue with some velvety chocolate notes, and finishes with more honey and smooth creamy sweetness. This is a full-bodied sweet stout that comes in at 12% ABV with only a slight bit of alcohol bite that helps cut through the viscous honey. We chose to make this beer for December to celebrate the year that has passed and as a gift to all of our loyal craft beer drinkers. Cheers to another great year!
- Hop Fiend IPA : Generously hopped with a glorious blend of Mosaic, Simcoe & Citra, this IPA is the perfect blend of tropical fruit, citrus & pine. For hop lovers and hop lovers in training.
- Firestorm Black IPA : The intense flavor of this black IPA comes from a base of Equinox and Amarillo hops. While the citrus aroma of the Amarillo dances with the cedar flavor of the Equinox, a complex malt bill featuring wheat, Crystal and roasted malts provide the perfect backbone to complement the premium blend of West coast hops. Keep and serve cold as hail.
- Saison Blue : In the spirit of traditional Belgian farmhouse ales, Saison Blue is brewed mostly from malted barley but with sizable contributions from regional ingredients (traditionally wheat, spelt, or buckwheat). In our case, we happen to use blue corn and blue agave nectar. It is then lightly dry-hopped with American and European hops for a bright, herbal and floral finish. To us, it represents a link between old-world brewing traditions and new-world processes and ingredients. At the end of the day, this beer is bone dry, light bodied and quite refreshing, but features a spicy, complex flavor and aroma profile.
- TripleTail Tropical India Pale Ale : A tropical approach to the IPA style – TripleTail weaves juicy bodacious hops with notes of papaya, pineapple, and passionfruit into this lush hop-forward IPA, creating a mouthwatering vacation for your senses. At 5.5% ABV, you can lean back assured it will refresh from sun up to sun down.
- Rydius : Amber with a fruity and floral hop character. A heavy dose of rye malt adds complexity and black pepper notes.
- Orange Colored Malcontent : Double IPA brewed with 120 pounds of fresh, hand squeezed Cara Cara oranges and hopped with Idaho 7, Ekuanot, and Apollo. This beer has refreshing notes of citrus spritz, candied bitter orange peel, sweet orange blossoms, tangerine dreams, and orange cream soda. A pleasantly firm hop bitterness provides the appropriate balance with supporting notes of tropical fruit.
- Black Diamond Belgian Wit : Brewed with fifty percent malted wheat, our lightest drinking beer is a Belgian style Wit beer with just a hint of sweetness. We use orange peel, coriander, and chamomile to balance the slight tartness and fruity esters produced by our Belgian yeast.
- Colombian Coffee Stout : Brewed with single origin colombian beans from ReAnimator roastery. Robust roasted coffee aroma with notes of chocolate, maple, dark cherry, and vanilla. Smooth and luxurious.
- Bière De Syrah : A barrel-aged sour beer refermented with Syrah grapes. Bière de Syrah consists of a blend of beer fermented in oak barrels for nine to twelve months with our mixed culture of brewers yeast and native yeast and bacteria harvested from the air and wildflowers around our brewery. The blend was then refermented with Syrah grapes for about two weeks, transferred off of the fruit, then aged for an additional nine months in oak barrels. After packaging, the beer naturally conditioned for an additional two months prior to release. Altogether, Bière de Syrah is roughly two years old.
- Stone Cold Crusher : Session IPA made with pilsner and oats. Hopped with a blend of amarillo and citra. Intensely tropical. Notes of stonefruit, grapefruit, papaya and fresh cut grass.
- Zipaquira Abadia : It is our turbid beer, non-filtered, orange hue. Fruity & Spicy. Recipe of Belgian origin. 3 weeks of maturation. 6% alcohol.
- 09.09.09 Vertical Epic Ale : This is quite a complex and layered beer. Bold and smooth chocolate malt flavors combine with a Belgian yeast lending tropical fruit/banana flavors and hints of spiciness, all complemented by citrus notes from an addition of tangerine peel. Rich vanilla beans add a nice counter to the chocolate malt - actually enhancing the chocolatiness. The finish is smooth, with additional traces of vanilla and toasted characters from French Oak. The goal for this edition of the Stone Vertical Epic Ale series is to be reminiscent of artisanal chocolates accentuated with orange.
- Strawrison : Strawrison is part of our perpetual quest to marry our mature house Saison, Ourison, with the perfect fruit. Back in June, we took delivery of 250lbs of beautifully ripe strawberries from our pal Ben at @3springsfruit and added them to a blending tank full of Ourison at a rate of almost 42lbs of berry per barrel of beer. Six months later, we now present Strawrison... one of our most fruit soaked Saisons to date!
- Round Heads And Pointed Heads : A strong, dark saison fermented in oak.
- Kamikaze Monk : Kamikaze Monk is a 5.6% ABV Belgian Saison hopped up with the best (and possibly only) Japanese hop: Sorachi Ace. With a big nose of citrus fruits from our Saison yeast and lemon butter from the hops, it blends the two country's brewing styles together. A medium-thin body allows for a big hop flavour of citrus to kick through and a light malt character to round it out. Please do not try and Kamikaze yourself. It might be hard, but you've been warned.
- Troppo : American Wheat Ale with Australian Mango and Passion Fruit.
- Forêt Sauvage : This complex farmhouse-style saison is a blend of three batches, all aged between 8 to 18 months with multiple strains of Brettanomyces and bottled conditioned for a couple of months. Please refrigerate for at least 24 hours prior to opening.
- Ferme Agrume #3 : Saison w/ ugli fruit and Mosaic hops
- Citra Splendor : Welcome to the world of bright, citrus and tropical fruit forward IPA’s. This divinely hoppy brew will clock in at 83 IBUs and will pour a hazy golden color with a big white head. Aromas of lemon peel, tangerine, and passion fruit come through on the nose with some dank undertones. The flavor profile begins with an intense hop bitterness that is complimented by slightly sweet, caramel malt in the finish.
- Baseline Stout : Our first stout, a deep and dark stout filled with roasty notes of coffee and chocolate. This will be the base that we build other great stouts on.
- Staccato Signals : Unoaked Sour Ale made with locally foraged southern yuzu zest, NC made white miso, local ginger, and NC malt. Fermented entirely in stainless steel with a mixed culture, this beer has an earthy, fruity aroma and savory, cirtusy finish.
- #016 Blister In The Sun : IPA + WIT BEER + LAGER = WELL, WHAT EXACTLY? BLISTER IN THE SUN IS A WHEAT LAGER THAT'S FRESH AND FRUITY, WITH A HINT OF CORIANDER AND ORANGE PEEL. LIGHT IN COLOR, BUT BRIMMING WITH AN IMPRESSIVELY HOPPY DEPTH OF FLAVOR, WITH A SMOOTH, CLEAN FINISH.
- Never Never Mind Mind : Never Never Mind Mind is the double fruited version of our plum Gose Never Mind. Clocking in at 5.1%, this one has all the plums. Literally. It thicc my guiz! Plum nectar goodness with a subtle salinity from the pink Himalayan sea salt addition.
- Funnie Duddie Blend #1 : A blend of mature Saison, fruit Saison and pampelmousse H2O. Soft, vibrant, and seriously crushable.
- Dia De Los Muertos (Ghost 639) : Intense aromas of Dark Chocolate, Coffee, & Caramel. Body is thick and syrupy with a roasted character that dominates, flashes of bitterness are quickly succumb to the sweet finish. There is a place where the restless souls wander. Burdened by the weight of their own sadness, they cannot enter heaven. So they wait; trapped between our world and the next. Searching for a way to rid themselves of their pain- in the hope that somehow, someday they will be reunited with the ones they love.
- Black Eye PA : A new spin on an old style. This deceptively dark beer has only a slight roasted flavor complimenting the caramel malt and citrus hop flavor expected of an India Pale Ale.
- Imperial Orchard Bu : A blend of neutral oak barrels containing our Imperial Berliner base, refermented with Oregon grown Apricots, Nectarine, and Peaches. Brite fruit notes coupled with a tart acidity and subtle Brett character.
- Black Tokyo Horizon : This three way collaboration first made its appearance back in November 2010 and is back and better than ever. Sitting at a slightly lower ABV (15.2% compared to 16% originally) this beer is a combination of signature stouts; Nogne’s Dark Horizon, Mikkeller’s Black and our Tokyo*.
- Gardiens De La Galaxie : NEW on tap, but not a new style for Ladyface, this French-style ale presents aromas is of lightly toasted malts, the distinctive spicy fruit esters of farmhouse yeast, and very subtle hops. It is deep golden in color and medium bodied with light malt sweetness, finishing dry to quench a farmer’s thirst.
- Just Peachy : A smooth & balanced fruit ale with sweet peach taste that’s nicely harmonized with lightly bitter black tea flavor. Light, refreshing, sessionable – a perfect summer brew.
- Muffin Top : Muffin Top combines the attributes of a Belgian Tripel with a huge burst of American hops. Intense flavors from the Belgian yeast, reminiscent of candied fruits, mix with the hop bitterness and sweet orange peel to create a unique take on a Belgian-Style ale.
- Wild Ones: Foeder #1 : Wild Ones: Foeder #1 is an oak-fermented and aged American Brett beer. Aged for over a year, it has a big nose of earth funk and fruit and tastes slightly tart with a white wine oakiness and body.
- Fun Juice : Fun Juice is a sour ale aged in red wine barrels with lactobacillus, pediococcus, and brettanomyces. We then added passionfruit juice and fresh bitter orange, navel orange, and grapefruit zest to the barrel. The beer ended up refreshingly zippy, aromatic, and citrusy.
- One Year Anniversary Barrel Aged Cuvee : Our first anniversary Cuvee is a blend of whiskey barrel aged stout and a dark ale aged with mild yeast and lactobacillus. Sweet notes of chocolate and coffee are balanced by sour cherry acidity.
- Summer Knights : This unique German-style ale is fermented with traditional Kölsch ale yeast—producing fruity, rustic yeast notes—but cold-conditioned like a lager, resulting in a cleaner and more rounded character. Brewed with Pilsner malts and German hops, Summer Knights offers crisp pilsner aromas, light fruit flavors, and mild hop notes in the finish. Pours a gold, slightly hazy pint.
- Crush A Lot : Juicy, fruity and aggressively dry-hopped. You will absolutely want to CRUSH this hazy IPA. Brewed with Rahr 2 row malt, and loads of malted and flaked oats. Fermented with a Vermont Ale strain of yeast crafted from a Northeastern double IPA strain, you will get hints of esters, peaches and citrus. Crafted using five different hop strains with a majority in the boil kettle whirlpool and dry-hopped. There’s no reason you won’t want to crush this beer!
- Pawtucket Pail Ale : While the trend is to go to extreme levels of hoppiness, we at Bucket think a great beer should be more than just its IBUs. We start the recipe with a variety of malts designed to deliver a toasty, nutty flavor and a satisfying consistency. We then add our hops in our own unique way to deliver more of the full flavor and aromatic profiles of the hops without extreme bitterness. The result is a bucket of floral aromas and notes of tangerine.
- Back to Cavaliers : Red Wine Barrel Aged Belgian-Style Sour Ale aged on Egg Fruit and dry hopped with Denali hops
- Ceno Stout : A stout so dark it'll tear your soul apart.
- Petite Cranky : In celebration of our one year anniversary, we created Petite Cranky, a unique twist on our popular Little Cranky session IPA. We started with our session IPA base recipe and added lemon grass to the whirlpool, lending bright notes of lemon zest and grass. This perfectly complements the heavy use of Lemon Drop hops in Little Cranky. To fermentation, we added 50# of organic Sencha Green Tea which harmonizes seamlessly with the lemongrass, contributing bright green tea flavor and earthy qualities. Our house Saison yeast strain added bright fruity esters and a spicy clean dry finish.
- After Dawn : White Grape Juice, Orange Marmalade, UGLI Fruit, Crispy Dough. Hoppy Kolsch. 
- Yonkers Vanilla Bean Stout : This classically styled stout is available both on Nitro and regular draft. Brewed with traditional English malts the stout is great on its own, as well as, in a stout ice cream float. Available in vanilla bean and raspberry fruit varieties on special occasions. 
- Mother Jones Abbey Style Dubbel : This strong dark Belgian ale is fermented with authentic Trappist yeast & raisins. Hints of chocolate, ripe fruit, plum and candy jump out of the glass!
- Peak Organic Pomegranate Wheat Ale : Peak Pomegranate Wheat is a refreshing, yet intricate ale brewed with locally grown organic wheat, organic coriander and a touch of organic Pomegranate and Acai juice from our friends at Sambazon. Not as sweet as many fruit beers, the Pomegranate Wheat has a soft, round mouthfeel from the local, un-malted wheat. The spice from the coriander and the subtle sweetness from the Pomegranate and Açai are a perfect complement.
- Beer Belly : Beer Belly, a truly unique American Kölsch Style Ale — similar to the Früh style of Kölsch, where it is slightly sweeter and gently fruitier than a Pilsner or Pale Ale. Dr. Jekyll’s Beer Belly is refreshing and light and boasts the finest organic Perle and Cascade hops, along with the finest organic malts. Its complex flavors combine hints of raspberry and grapefruit along with aromatic notes of cardamom and coriander. Other super ingredients include acai berry, maqui berry, green tea, green coffee bean, raspberry ketone, and grapefruit fiber. This incredibly light yet full bodied refreshing craft beer will broaden your senses but not your waist line!
- Catch The Drift : Juicy, soft, low bitterness, aromas of pineapple and passionfruit brewed with golden promise and wheat featuring Citra and Vic Secret hops.
- Fistmas : Red ale brewed for the holiday season with specialty malts to achieve a beautiful deep red hue and the aromas of fresh baked bread, caramel, and stone fruits. Steeped with ginger root and orange peel.
- Saison De Pardieu : A brewed in collaboration with our friend and brewer Ben Potts. A dark saison showcasing Galaxy, Simcoe, and Amarillo hops.
- Sea Worthy (Motueka) : This Saison is brewed to beat the heat. In late August we release a traditional Belgian Saison with a different variety of hops. Pilsner malt, White wheat, Flaked wheat and acidulated malt is used to make a refreshing summer Saison. This year’s featured hop is Motueka. A New Zealand hop variety that gives aromas of lemon, lime, citrus and tropical fruit. This Saison is definitely sea worthy!
- Native Amber Red IPA : Native Amber is an audacious blend of hops and malt. Caramel and biscuit notes carry the Cascade and Cluster hop additions through to an enjoyably round finish. The malt complexity proves rich and the dry-hopped character is invigorating.
- Banana Bunch : What’s better than one banana? How about FIVE bananas?!? Banana Bunch is the ultimate defensive item, capable of fending off multiple attacks from opponents, or setting traps for those hot on your trail. We took the banana character of our base hefeweizen to the next level with banana puree, then dry-hopped it with Mandarina Bavaria and Azacca to produce a beer that is complex, fruity and dangerously drinkable. Just don’t spin out because of it!
- Real Friends : Mixed-culture Grisette aged in Oak barrels - Stone fruit, oak, citrus
- Tush : This 5% brew is no watered down IPA!! Bright hoppy aromas of pine shine through on the nose of this session IPA, while flavors of grapefruit rind linger on the palate.
- Grandpa's Pipe : Smooth fragrant dark lager made with smoked malt and vanilla.
- Simpils : This classic medium bodied 100% malt Pilsner brewed according to the Reinheitsgebot (German Purity Law) has a complex but well-balanced malty character, a flowery hop aroma, a dry finish and a golden blond color with excellent clarity. The hops contribute a definite clean but not overwhelming bitterness.
- Tamper : Brewed with a specialty coffee blend from Coffee Labs roasters, this rich stout has a pillowy mouthfeel and swells with warm dark chocolate and roasty notes
- The Dissident : Flanders style sour brown brewed with dark candi sugar and Oregon Montmorency cherries, aged in Pinot Noir barrels.
- Paulie Vs. Steve : Paulie vs. Steve IPA is an ode to the hallowed walls of Toronado, once a list comparing the two beer slingers behind the bar, now an IPA comparing the best qualities from each coast. With mellow malt character and vacant sweetness the Westcoast IPA bells begin to ring, only to be followed up with a pillowy body and softly balanced bitterness that jump to the other corner of the country. An aromatic wallop of Galaxy and El Dorado hops stick to your nostrils with a boisterous serenade of pineapple juice, pomelo zest, peach puree, and fresh squeezed limes. The hop flavor seems never ending and forever changing as it floats across your palate on that pillowy body, shifting from one fruit juice flavor to the next, but never shaking free from that machine gun of pineapple. Happy birthday to you Toronado, and thank you for everything.
- Bourbon Tripel : Traditional Belgian-style golden ale with complex aromas and flavors of plums, spice and bananas. Aged for one month in a Four Roses Distillery bourbon barrel.
- Raspberry Hibiscus Sour : This beer is a fruited wild ale using our house sour blend of yeast and bacteria. We added 462 pounds of raspberry purée and 10 pounds of hibiscus flowers.
- Freak Tractor (Model 14) : From our wild beer series, Freak Tractor (Model 14) is made with 100% Brettanomyces yeast, and delivers a unique combination of earthy notes and a hint of tropical fruit.
- Brimstone Ryewine : Our full-bodied, 9.5% abv Ryewine, Brimstone, is mahogany in color and built on equal measures of smoky roasted malt and sizzling hop bitterness, accentuated by glowing embers of warm bread, dark fruit esters, and a dry, spicy rye character that smolders from your first sip to its long, lingering finish. Drink up, and get stoned!
- Yung Blud : With this beer, we were trying to execute the least malt forward Red IPA possible and we feel like we have achieved our goal. This is hopped intensely with Amarillo and Galaxy. Incredibly dank, pine, fresh grapefruit.
- Toecutter : A partigyle from the second Foggy Notion mash. 5.0% abv, inspired by our packaging manager's new motorcycle fresh off the screen from Mad Max. Aggressively hopped in the kettle and dry-hopped with 100% Australian galaxy hops and cold fermented with ale yeast. Bitter and very fruity, reminiscent of passion fruit.
- The Wolfe : Simpson Golden Promise, Caralight and Bairds Carastan malts provide this beer its deep golden hue and depth of complex malt flavors. The English WGV and Willamette hops balance it out, giving it a classic English hop character. Hop Valley's first barleywine, The Wolfe is prime for winter sippin'!
- Midnight Espresso : Using coffee beans hand-roasted at Motorworks Brewing, a darker roast on Sumatra beans imparts toasted flavors, while a slightly lighter roast on Sulawesi beans provides fruity undertones. Strong chocolate and coffee notes in its aroma and taste, derived from dark caramel and chocolate malts, and a slight sweet finish round out this medium-bodied porter.
- Dezemberfest : Märzen, sometimes called Oktoberfestbier, is maltier and a little darker and stronger than a pilsner. Before artificial refrigeration, the brewing season in Munich went from October to March, when temperatures were less favorable for bacteria which would spoil the beer. März is German for March, when Märzen was brewed. Brewers worked overtime to produce an extra strong, more hopped beer to last through the summer months. When summer was over and it was safe to resume brewing again, breweries needed to make space for new beer. Thus, Oktoberfest was the perfect time to sell and consume the remaining stock of Märzen beer. Our Märzen is a little stronger than a traditional Oktoberfestbier so we named it Dezemberfest. It’s as great and refreshing in the cold winter months as it is during Oktoberfest.
- HopAnomaly - Reserve Series Aged In French Oak Chardonnay Barrels : An artful creation which began with our HopAnomaly Belgian-Style IPA, enhanced by a 6 month maturation in French Oak Chardonnay Barrels. This version of Hop God is a fascinating, big, bold Belgian-style Tripel hopped in very high amounts to concentrate citrus, grapefruit and floral aromatics in the nose. The addition of Chardonnay barrel aging adds further dimension and oak tannins to an already wonderfully complex Ale – bringing to mind tropical fruits and peach. We know of nothing that compares – enjoy!
- Double Nelson : With great body and a beautifully balanced bitterness, this new double IPA showcases aromatics of cedar and pepper, with bright flavours of grape, tropical fruit, citrus, subtle caramel, and a dry finish. Dangerously drinkable.
- Goldfinch : Goldfinch Golden Ale is a mild, light-bodied beer with a subtle Northwest hop finish. The slightly sweet malt flavor and citrus fruit hop notes combine to produce a sessionable beer to please the craft beer enthusiast as well as the fan of domestic light lagers.
- Weekend At Bullies : Weekend at Bullie’s! is a multi oat and wheated up 6.3% IPA with Azacca, Ella and Simcoe conditioned on Passionfruit + Peach.
- Amor Fati Ruby Porter : This ruby-colored Porter is brewed with chocolateand sweet crystal makts with late addition East Kent Goldings hops which add deeply complex flavornoids that will have you embracing your sweet fate...
- War Elephant : War Elephant is as unapologetic as Double IPAs get. At over 4lbs. of hops per barrel, War Elephant contains a completely irrational amount of hops designed to create a unique hop experience. It has a “smack-you-in-the-face” hop aroma consisting of pine needles, grapefruit, tangerine, and other citrus fruits. Unlike many other Double IPAs, though, War Elephant has a subdued malt character so it’s never cloyingly sweet, and at 80 IBUs it isn’t overly bitter. Like all Rushing Duck beers, War Elephant is unfiltered so as not to strip any of the precious hop aromas from the beer. As a result it has a hazy golden color with a thick rocky head.
- Sleepy Dog Wet Snout Milk Stout : A dark, rich, aromatic, and malty specialty. Rottie fans tend to be pushy and territorial, so under no circumstances should you steal their bar stool.
- Christmas Stumbler : This festive holiday ale, brewed in collaboration with our friends at Lazy Hiker, combines dark fruit flavors with spicy hints from additions of orange peel, whole cinnamon sticks and fresh ginger. It's complex but smooth, so afterwards, watch your step.
- Fellowship Ale : This is a IPA that is orange in color, has floral hop note, and finishes with grape fruit bitterness. Brewed in collaboration with Lincoln-North Woodstock Rotary Club. The Woodstock Inn Brewery, will donate 50 cents of every bottle sold. to the Eradicate Polio Fund and to local Lin-Wood Rotary charities. This is year round brew. Available in 22 ounce Bottles and draft. Please contact the Woodstock Inn Brewery or the Lincoln- North Woodstock Rotary Club for details.
- Session IPA : Season IPA with Grapefruit
- The PastyArchy - Blueberry Maple : Full-bodied Russian imperial stout. The addition of maple accentuates the inherent flavors of this stout’s malt profile, and the addition of blueberry purée yields fruity notes adding complexity to the finish. Like old-fashioned blueberry pancakes and fresh maple syrup.
- IPA : Ours is a bona fide West Coast American IPA. Lots of citrus, pine and stone fruit hop character to match the complexity of the grains. Light copper in color and well balanced.
- Brush & Barrel Series: Imperial Stout : A dark-as-night Imperial stout dominated up front by a bold roasted malt flavor, which reveals hints of caramel, coffee and chocolate, while a subtle hop bitterness works in concert to reveal a dry, warming finish. On the nose, an earthy, peat smoke aroma accompanies the rich malt profile.
- Opacity 1 : The first in our series of hazy New England-inspired IPAs, Opacity 1 is a light straw-colored IPA with a soft mouthfeel and just enough bitterness to balance it out. The stars of the show are the Citra and Mosaic hops which provide a juicy orange and citrus aroma and flavor. The Pink Boots hop blend providing a subtle complementary floral note to the otherwise fruity hop profile.
- Autumnation (2013) : Every year, the main-hops featured in the Autumnation Ale is chosen by Sixpoint fans. This year's hops is Mosaic, a relatively new strain with huge potential. Copper in color, the Autumnation Ale clocks in at 6.7 %abv. The initial assertive but pleasant 74 IBU-bitterness is carried by a well-balanced malt backbone, accompanied by citrus, berry-like and pine flavors. The massive aroma of fresh hops features citrus, strawberry, stonefruit, berry and piney notes.
- Eternal Void Of The Alpaca Magi : Dark Sour fermented in oak barrels with Dark cherries, Black Currants, Blackberries and Raspberries
- Hand Of Doom - Arctic Thunder : Inspired by the Norwegian Black Metal band Darkthrone, this Hand Of Doom variant is reminiscent of Nordic black licorice and sea salt.
- K13 Rye Whiskey : Aged in Woodford Rye Whiskey barrels for 18 months. This big, bold ale is barrel forward with notes of toffee, oak, dark fruits and rye spiciness rounded by a basal level of sweetness.
- Tropigose : A combination of a traditional German gose with the infusion of passion fruit and guava to tie it all together. The gose is tart, tangy, and a bit salty. So we added some fruits to round it all out and add some sweetness and balance.
- El Dormino : A big malty backbone balanced with exotic aromas of citrus, pine and dark berries. This Black IPA conquers the palate thanks to generous dry hopping with El Dorado and Mosaic hops.
- Presidential DIPA: Polk : Brewed w/ Motueka and Topaz, James K. Polk was a dark horse candidate. Known for taking care of business without a fuss.
- Bad Teeth : We used Maris Otter and English dark crystal malts, Styrian Golding hops, and a carefully selected English ale yeast to make a super crushable, authentic flavored bitter.
- Leviathan - Great Scott : Leviathan Great Scott pays homage to the celebrated Wee Heavy Scottish Ales of the past. This beer is a full-flavored, full-bodied dark ale with a complex malt character. The hint of smokiness is a tribute to the peated malts that were historically used in Scottish brewing. Relax and enjoy with bagpipes playing in your head (kilt optional).
- Herbal Inspiration Gruit : Taste the past, and I will show you the future. At one time in history, ‘ale’ referred to a fermented beverage without the use of hops, while ‘beer’ was reserved for ale brewed solely with hops. The blend of herbs used to bitter and flavor the beverage, known as gruit, became a closely guarded secret for producing fine ales. Fruity, floral, herbal, and enlightening, this version is based on a Belgian Braggot and will take you places. Sit back beside along yourself and enjoy the ride . .
- Sanctified : A Belgian ale showcasing prominent fruitiness deriving from the addition of 120 lbs of honey and a rich, balancing malt driven sweetness.
- Genesee Salted Caramel Chocolate Porter : This silky smooth and elegant English-Style Porter, brewed with Hedonist Artisan Chocolate, is seductively complex with its rich caramel aroma and flavors that are balanced by a bittersweet finish.
- Fall American Sour Blend : Ardent’s Fall American Sour Blend is made from sour blonde and sour red ales, aged independently in oak barrels for ten months, then blended together. This beer was derived from a mixed culture of house microbes and will continue to evolve as it ages in the bottle. Tart and complex with notes of stone fruit and hints of vanilla.
- TBAmber : Aromas of a dried fruit basket and toastiness melt into mapley malt richness on the palate, finishing with a spicy clean crispness.
- Dad Jokes : A 100% El Dorado hopped double IPA. Pouring an opaque golden colour, this beer is straight hop juice. Expect big flavours of mango, pineapple and grapefruit.
- Samuel Adams Imperial Stout : Imperial in stature and bigger than your average stout. This colossal stout was inspired by those created by 18th century English brewers for the Russian Imperial Court of Catherine II. The special malts in this intense and massive brew delivers rich flavors of dark chocolate, coffee, and anise.
- Remember The Ale-Amo : Every now and then a beer can capture more than just flavors, it can capture an idea. This beer does just that, being inspired by the Southwest. Although the inspiration may have seemed far away, local companies helped make it a reality. Mesquite smoked malt from Pilot Malthouse and hops from Big Mitten Hops gave a rich full flavored addition to the beer. Beans went into the beer as it was being brewed to add a wonderfully complex and truly unique mouthfeel. And to top it all off, a subtle dry hopping of chipotle and ancho peppers marry the whole experience. A full bodied red ale with nuances of smokiness and just the softest touch of spice in the background make this beer something to remember. Manifest Destiny calls!
- Scratch Beer 196 - 2015 (White Ale) : A perennial favorite here at Tröegs amongst co-workers and fans alike, our Belgian-style Witbier (or “white ale”) features a blend of wheat, oats, and malted barley along with spices, Belgian yeast and other juju to create a complex yet refreshing flavor. With a dense haze and foamy white head, our Witbier incorporates subtle tartness and a delicate orange aroma to complement the aromatic spices and distinctive LaChouffe yeast. An excellent summertime quaffing delight, Scratch #196 finishes dry and crisp.
- Notch Polotmavy Lezak : Polotmavy is loosely translated as "half-dark" or amber as we know it, and is yet another style of Czech lager rarely found in the US. A distant cousin to the Vienna lager, it has a unique malt flavor without a sweet cloying finish. A delicate toasted malt aroma with a hint of Czech Saaz hop character rounds this beer out. It's a subtle beer, but a rewarding one.
- The 25 Million Dollar Man : During a routine maintenance mission to The Space Station Middle Finger, astronaut Michael San Antonio sustains critical injuries while in his umbilical spacesuit. After an asteroid shower, he miraculously makes it back to his spaceship and returns to Earth. San Antonio, handsome and athletic, undergoes a highly secretive surgery where his damaged body parts are replaced with robotic ones. Upon recovery, his robotic parts give him superhuman strength and speed. These powers don't go unnoticed by the clandestine philanthropic group The Order of the Black Phoenix. He is quickly recruited by The Order to battle evil for the good of mankind. This hazy, superfruity IPA was brewed in his honor. 
- Hell Bent : A small dry hop addition of Horizon hops gives this American Brown Ale a subtle floral note to round out the delicious roasted, nutty malt backbone. It pours reddish brown in color with a tan head and boasts enticing aromas of toffee and caramel.
- Omega Alpha : A revelatory experience of Amarillo, Bravo, Calypso, and Meridian hops. Big grapefruit and tropical notes, firm bitterness, and a strong backbone of pale malts.
- Summertrip : This kettle soured German style ale features 50% wheat malt and is balanced with the use of lactobacillus. Very little to no hop presence allow the bready/biscuit characteristics to come through, with a nice tart Passion Fruit finish.
- Ursae Majoris : This oud bruin is a blend of three batches of varying ages, refermented in the bottle for added complexity, and released for the Rare Beer Club’s 21st anniversary.
- Blood Ov The Kings : At the peak of summer 1631 King Gustavus Adolphus led thousands of Swedish troops into Northern Germany. Following the destruction and subsequent plundering of Brandenburg Adolphus’ army marched through the endless wheat fields en route to Bavaria. Brewed with copious amounts of red wheat, Blood ov the Kings is aromatically driven by bread, biscuit and notes of exotic fruit. Hazy and medium bodied the beer has a rich and creamy mouth feel with a dry, bitter, and slightly sweet finish. Unbound by the Reinheitsgebot Blood ov the Kings would certainly have been the vital fluid of victory for the Swedish monarch as he spilled blood across the wheat fields of Northern Europe.
- Alemerica The Beautiful : Electric-orange, All-Mosaic hopped American Pale ale. A juicy, tropical fruit ode to the U-S-of-A.
- Barrel Aged Eliza : Eliza is our take on infusing the character of New Orleans Iced Coffee with a beastly Imperial Milk Stout. Taking all of the ingredients you would find in a cup of iced coffee in New Orleans, we added a complex and nutty single origin coffee from our favorite local roaster Catahoula Coffee Co., French Chicory, organic cane sugar, and a hefty amount of milk sugar to give Eliza a thick and creamy texture in line with the drink that inspired it. Much like the ghost ship that inspired its name, our Eliza disappeared for quite some time. Lucky for us it was hiding in a Four Roses Bourbon and Argot wine barrels.
- Tenaya Creek Calico Brown Ale : Our "Calico Brown" is a malty brown ale with dark amber hues. There's a velvety smooth body with a light bitter finish from our friend the Chinook hop. We've struck a balance to the bitterness with a hint of spiciness while using Tettang hops to give this ale a pleasurable aroma. We live in Las Vegas and enjoy the surrounding area of Red Rock Canyon. Do yourself a favor: Get back to nature. Get a beer. Enjoy it!
- Sim-Coast IPA : A West Coast IPA true to the core. Heavy on the passion fruit and pine thanks to the immense amount of simcoe. We featured Cryo Mosaic hops which is a process that pulls concentrated lupulin of whole-leaf hops containing resins and aromatic oils; providing intense hop flavor and aroma. This beer has great dank qualities and citrus notes. 
- Flamberge : This special ale is styled after the beloved Flemish Red ales of Belgium. A long-anticipated release from Ladyface’s “Ingenuity Series of Barrel-aged Inventions,” this ale was aged two years in Napa Cabernet barrels. Flamberge --meaning "flame blade”--is an undulating long sword; our red-hued, barrel-aged invention is a complex sour ale with tannic and sharply tart sensations that ripple across the palette. A high carbonation level yields a dry effervescence and makes this style a traditional pairing companion to the Belgian classic dish, Carbonnade de Bœuf. It is also a perfect ale to slice through a creamy cheesecake!
- Man About Town German Summer Ale : A clean, crisp, delicately balanced Kolsch with subtle fruit and hop character. The perfect summer beer.
- LYTT FRT PNCH : We knew we couldn't go wrong with a tropical tweak on the all time classic fruit punch. Why reinvent the wheel when you can give it a twist?
- Scratch Beer 34 - 2010 (Tim's Belgian Brown) : At Tröegs Brewery we love beers that tell a story and beers with surprise endings. Dubbed TBB, Scratch #34 is brewer Tim Mayhew’s take on his favorite beer style. Scratch #34 packs a malty aroma suggesting raisins with hints of chocolate and caramel. On your taste buds, the raisin flavor continues along with traces of dark rum and subtle spice provided by the Westmalle yeast. It finishes with a slight hop bitterness. The story behind TBB gets to the foundation of the Scratch Series – experiment, educate, have fun and beware of pitfalls. We chose to bottle condition TBB as Tim wanted a near-champagne carbonation for this beer. However, yeast does what it does, and in this case, it crapped out before finishing. Even after Tim spent one evening reinvigorating the yeast (that means he shook the hell out of 180 cases of beer for 30 seconds each), the beer still would not finish and a decision had to be made. Always innovating, Tim and the brewers dumped as many bottles as possible into a wood barrel, and we will await the surprise ending. For now, enjoy Scratch #34 on draft and stay tuned for the complete story.
- The Fuzz : The "Fuzz" is a fruit beer. It starts with a clean very lightly hop base, a big peach nose and a dry slightly sour finish. WATCH OUT FOR THE FUZZ!
- Andrew Schwartzbier : Andrew Schwarzbier is a collaboration with our buddies at Modern Times. This silky dark lager drinks real easy, with aromas of fruity cascara and just a hint of dusty cacao nib on the palate. Malty, yet crisp, this is a great beer to transition you from a stormy spring to a sunny spring.
- Nitro Chocolate Stout : Six different malt varieties, cacao nibs, dark chocolate, lactose, oats, and vanilla combine to produce a decadent Chocolate Stout. Dispensing via nitrogen yields a lush, velvety texture and rich, smooth finish.
- Hop Project #30 : For #30, we used a blend of Magnum, Columbus, and a new variety, Citra. Citra is a new variety released by the Hop Breeding Company in Yakima, WA. It's supposed to be a cross between Hallertaur Mittlefrueh and U.S. Tettnanger, but somehow bred to yield much higher bitterness. Its alpha acids come in around 12%. Our beer starts with a pleasant mellow and fruity aroma, with a rounded mellow up-front bitterness that fades into a sharp peppery finish.
- Hoppy Lager : At a higher ABV, our Hoppy Lager is a departure from the more traditional lagers we brew. We use a light grain bill and our clean-fermenting house lager yeast to create the perfect base to showcase large additions of Motueka and Centennial hops. This gives the beer an aroma of tropical fruit, lime zest, grapefruit, and light pine.
- Richie's Super Rad Pale Ale : Dryer than dry with a hop stickiness that coats your mouth, with a lingering grapefruit bitterness that accentuates the dryness leaving you thirsty for more, this Pale Ale defines being rad. Continuing our Employee Series, if you've had a conversation with our sales guy Richie you'll know why we named this Rad - as invariably within minutes he's referred to something as being "rad." Richie wanted a rad beer that was crushable and bursting at the seams with tropical notes and hoppy dankness, and with spring in full swing you're reaching for a brew that'll let you pound back a few rounds. Begging for a couple go-to's, Richie's Rad Pale Ale is one you're going to put back with ease.
- IPA - Enigma & Galaxy : A perfectly hazy, incredibly flavourful IPA with bold notes of stone fruit, basil, pineapple, and black tea. Subtle dank hop character within a well-balanced, lightly bitter body.
- Ugly Christmas Porter : Rich dark ale brewed with cinnamon and aged on cocoa nibs. Creamy texture and spicy for the holidays
- Russian Imperial Stout With Coffee And Cocoa Nibs : This deep and dark stout packs an incredible amount of flavor into a small glass. Aromas of Ethiopian Hambela Coffee and fair trade Congolese cocoa nibs are joined with a deep malt body and a silky, smooth chocolate finish.
- Graveyard Shiftee : As the weather turns colder, the F&B industry trudges along, and the shift beers get darker and more malty with the season. Continuing with Shiftee concept, we brewed Graveyard Shiftee as a continued nod to local F&B folks, but one more conducive to winter. The ABV remains in “serious” territory, but this time we went with our beloved Porter style. Graveyard Shiftee is dark, malty, full-bodied, and warming, perfect for a late nightcap whether or not your shift just ended.
- Boi Friendz : Boi Friendz was brewed in collaboration with our friends @bluebeecider. To celebrate their Grand Opening of their new location in our neighborhood Scott's Addition, they asked us and the other booze producers in the neighborhood to create something special. Together, we brewed a 100% Brett IPA fermented with two Brett strains in two different wine barrels. One the wine barrels previously held Jeune(our single barrel young spontaneously fermented ale). The other was a freshly dumped VA red wine barrel. Right before we brewed the wort, we filled the barrels about 30% full with unpasteurized Gold Rush apple juice(that had begun wild fermentation). We brewed the wort with a heavy addition of Mosaic and racked it on top of the juice. It femented/conditioned in the barrels for 5 weeks. We then extracted the beer from the barrels and onto a ton of Citra dry-hops. The result is an incredibly complex, funky, hoppy, slightly acidic, full of tannins, IPA. We are very pleased with the results of this collab.
- Stoneface RIS : Brewed with cold brew coffee from Port City Roasters and Tahitian vanilla, our Russian Imperial Stout features a velvety smooth mouthfeel paired with a robust, complex flavor profile.
- Who’s On First? : Summer ale brewed with passion fruit and pineapple puree.
- Sit, Stay IPA : Darker than most, this IPA blends caramel malt, Simcoe, Cascade, Citra and Columbus hops to make you "Sit! Stay!" all day.
- Deckhand Belgian Saison : Deckhand Saison is a rich, golden, Belgian farmhouse style beer. Pilsner and Vienna malts added with flaked wheat gives this beer a soft malt character while the unique attributes of a true Belgian yeast strain add spicy, peppery and fruity flavours. The acidic sourness and dry finish complement the noble hop character of Styrian Goldings hops. True to this artisan style of beer we present it unfiltered so that you can taste the full flavour of this complex and very satisfying brew. A stemmed tulip glass will enhance the aroma and support the large foamy head.
- Harbinger Of Doom : This perplexingly refreshing Belgian wit beer brewed with elderberries and lemon is tart and fruity, with subtle herbaceous notes from earthy Hallertauer Tradition hops. Some might call it a coincidence that this Harbinger of Doom appeared in conjunction with reports of alien abductions, monsters lurking around dark corners, and epic battles between supernatural forces emerging from the ether - but you know better. Harbinger of Doom is a messenger from the unknown. The message is this: normality is DOOMED! DOOMED! DOOOOOOMED!
- Moscow : First brewed as part of our 2011 World Tour series, MOSCOW Rye Russian Imperial Stout is a hefty, opaque black liquid that pours slowly and soulfully into your snifter. A high percentage of spicy rye and roasted dark malts create a dense, chewy yet elegant winter wonderland of flavors. And from AK we say: Let it Snow…in Moscow.
- Loganberry : Our summer fruit beer is a lightly tart wheat ale brewed with Loganberry.
- Coffee Caramel Pecan Stout : Our Caramel Pecan Coffee Stout is an exceptionally rich, flavorful coffee stout! In each sip, you’ll enjoy flavors of rich roasted coffee, sweet caramel, and nutty pecan. All of these flavors blend beautifully within this English-style dark ale beer.
- Lakewood Hop Trapp : We're no monks, but our Belgian-style IPA gives a tip of the hat to our divine brethren. Brewed with rich malt, noble hops, Trappist yeast and a kick of coriander, this is one complex beer. Rather than make a beer that's more of a dare to drink than a pleasure, balance was the priority here. We wanted a beer for "hop heads" and novices alike. Hop Trapp pours with a refined bitter backbone, floral hoppy notes and a decidedly Belgian finish. This brew is worthy of some serious contemplation.
- Red ToBOCKan : A rich, malty, warming winter lager. This bock is a dark lager with ruby red highlights featuring subtle notes of sugarplums dancing in your glass.
- Hopsquatch : An American style IPA brewed with a single variety of hop and a simple American grown grain bill allowing the hop to be "front and center. We created this beer using 3 grains, a two row brewers base malt and a small percentage of toasted malt and red wheat malt. The real star of this ale is the new Citra hop which gives off loads of character and will be recognized as heavy citrus, grapefruit. Much of the hop was used late in the boil preserving all the character of the hop without going over the top on bitterness.
- Java Black Ale : This collaboration ale features cold-pressed Dogwood coffee made by Fire Flour Pizza. Light additions of Briess Midnight Wheat malt give this ale a dark hue, while imparting only slight roast flavors, allowing the cold-pressed coffee to shine. Light additions of Nugget and East Kent Golding hops balance the malt and roast flavors.
- Magic Garden : Brewed with Ella and Columbus and dry-hopped with Mosaic. It features provocative notes of blackberry, nectarine and pink grapefruit.
- Hendrix : Berliner-style wheat ale, with 100% fresh cucumbers shredded and added to the brew kettle. Refreshing bright fruity and floral notes are augmented by subtle spiciness and botanicals from gin barrel aging.
- Leitmotif - Opus 11 : This latest iteration of our kettle sour series features passion fruit, Maldon Sea salt flakes and is dry-hopped with Galaxy.
- Wari : The Field Museum and Off Color's second collaboration based off an ancient corn based beer or chicha. Deep pink color from imported Peruvian purple corn with aromatics of mild pepper. Grainy funk and fruit acidity reminiscent of cranberry juice without the sweetness. 
- Oui Oui : The second beer in our Vitis Series line of beer that have been fermented with grapes. For Oui Oui we used a first running press of Chardonnay grapes from the central coast and added them to our sour blonde ale. The beer was then aged in oak barrels that had originally been used to store wine, imparting even more of that chardonnay-like quality. The final beer has a pleasant funk which compliments the stone fruit and white wine-like character.
- IPApaya : Winter weather forecast for Hood River: unseasonably tropical. IPApaya, the latest in our Pub Series, blends locally grown hops with notes of papaya for a vacation in a bottle. IPApaya was born out of our interest in the tropical aromas of Northwest hops. Pale and wheat malts along with healthy additions of Equinox and Cascade hops provide the perfect golden base for the addition of papaya. The result is a refreshing IPA with the subtle essence of papaya. Tropical aromas of citrus, passion fruit, and papaya are well complemented by clean malt notes.
- What Cheer Brett IPA : Aromas of Mango , guava and orange. Brewed using specialty malts and a cor-nucopia of hops , it's fermented with Brettanomyces bruxellensis yeast. Funky and fruity.
- Blódberg : This Dark Nordic Saison was made in collaboration with @borgbrugghus and inspired by the wild countryside of Iceland. Brewed with arctic thyme and aged in an oak foedre with keremeos plums and wild yeast.
- Blood Orange Double IPA : A strong & bitter IPA that’s bursting with flavors of blood oranges! It’s loaded with Citra, Centennial & Simcoe hops that resonate with the fruitiness from the orange.
- Double Depth Charge - Whiskey-Aged Coffee Beans : Whiskey, coffee, and more whiskey shine through in Double Depth Charge Whiskey Bean. Imperial stout is a blend of a stout aged in Knob Creek barrels for more than a year and a stout aged on Whiskey barrel-aged coffee beans, resulting in a enticing overload of coffee and whiskey. Roasty malt and notes of sugar cookies and dark fruits round out this 11.5& ABV dark beast of a stout.
- Signal Fire Session IPA : Our collaboration with roots reggae band Signal Fire! Infused with irie and the spirit of Jah, as well El Dorado and Cascade hops, for a crisp, flavorful intense Session IPA loaded with tangerine and tropical fruits. A backbone of oats balances the hop bitterness and creates a silky smooth mouthfeel.
- High Tea : Concocted in collaboration with Otter Creek Brewing Co, this Belgian-style Tripel is big on flavor and flair. Brewed with Pilsner malt, wildflower honey, American hops, ""Fruity Pebbles"" green tea, and...um...Fruity Pebbles cereal, this beer is definitely worth a try.
- Sour Batch (Pineapple Galaxy Cream) : Next up in our Sour Batch series is a tart, hoppy and refreshing kettle sour hopped exclusively with Galaxy hops, and brewed with lactose milk sugar and Pineapple Puree. The acidity from the lactobacillus, pitched in the kettle, pairs perfectly with the creamy mouth feel of the lactose and acidity of the Pineapple. The Galaxy hops infuse flavors of passion fruit and clean citrus, which give the beer a tropical aroma and flavor. Get ready to pucker up!
- Bridge Street Pale Ale : Bridge Street Pale Ale embraces its modest roots. This Shoreline Series addition uses English malts light in color but providing a full-flavored bready backbone. A single hop, Falconer's Flight 7C's, adds tasty stone fruit and citrus flavors layered with an earthy, floral spice. We finish it off with our house yeast to produce a high quality pale ale that strives to be exactly what it is - a beer for people who like beer. No flash, just flavor. We hope to see you coming back to Bridge Street again and again.
- Category 1 - Belgian Single : A silver medalist at the 2016 Best Florida Beer awards, our Belgian Single is the first in the Big Storm “Hurricane Series.” It is pale yellow in color and pours a billowy white head. This award-winning ale is well carbonated with fruity and spicy Belgian yeast character and a floral hop aroma.
- Confusion : 2 Way’s flagship. Named for the effect explaining the style generates, this new style is reminiscent of a Belgian pale. With an eye toward redefining “local” this brew is produced with a 2 Way proprietary yeast isolated from black raspberries bushes on a local Hudson Valley farm. The simple recipe is designed to showcase the wild flavors this strain has to offer. Light and refreshing the Confusion offers a beautiful balance of fruit and spice with notes of pineapple and clove.
- Seditious Ways : Dark Sour Beer Aged in Oak Barrels with Tart Cherries
- Monk's Mistress - Bourbon Oak Barrels : Aged in bourbon oak barrels, this version of Monk's Mistress takes seduction to the next level. Its dark daunting flavors become more intense and more fascinating as they meld with toasted oak and its prior tenant. This temptation is completely beyond resistible and right. Succumb. Repent. Repeat.
- Stout : Classic and flavourful, this beer is dark in colour but light enough in alcohol that it’s still refreshing in the hot weather. A great beer for those who seek the roasty, toasty flavours of a stout.
- Pike County Pale : Pike County Pale Ale is a full bodied American Ale. Its copper color and complex hop flavor make it a pleasure to drink. We dry hop it to give it a subtle floral aroma that’s to die for. It’s an American beer that is a sweet vacation for the senses. This beer goes with just about anything.
- 07747 - Galaxy : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07747 is the Dubviant tuned up with an exclusive Galaxy third dry hop inspired by the places that get it in Matawan. Galaxy amplifies 0’dub’s mix of dank resins and tropical fruits giving it a peachy treble to the thumps. Drink 07747 and nod your head to this.
- Down By The River : Hey! We brewed another summer crusher! This Berliner-Weisse based beer was brewed to be light, tart and refreshing. With a base of pilsner, wheat and oats we sour mashed this beer for over 48 hours to achieve a tart puckering flavor and finish. Fermented directly on over 8 lbs/bbl of strawberry and rhubarb puree, it exhibits notes of jam, pie, shortcake and other delicious summer treats. It's light enough to please the palate and complex enough to keep you interested all the way down to the bottom of your glass. Have a couple and relax, it's summer!
- Welsh Black : Rich, dark and full of malt flavours, this black bitter owes its characteristics to the large amount of chocolate malt giving it a velvety smooth rich coffee finish. No aroma hops are added to this beer, instead seven types of grain are used to develop the flavour.
- Tropical Lover : Berliner Weisse-style beer brewed with mango, guava and passion fruit
- Kickoff Brown Ale : This is a great beer to kick off a great night or the big game. Its low ABV offers excellent drinkability while it finishes with full roasty malt flavor. Kickoff pours dark brown with mahogany highlights and an off white thin head with low retention. The Aroma is grainy, nutty, and toasty. It offers hints of chocolate and light roast as it warms. Fruit esters are present but not over powering. It boasts mostly a nutty malt character with a distinct toffee not mid tongue flavor. The finish is mostly dry, but has a slightly sweet malty note that lingers throughout the pint. Alcohol is in the 3.1%-3.8% range but seems to have a rather full mouth feel for the ABV.
- Morning Star : The light shines in the darkness, and the darkness has not overcome it. Trading intensity for finesse this star shines with the absence of bitterness but replaced with lemon and fruity tartness. Behold the beauty of the first light of dawn.
- 07750 - Nelson : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07750 is the Dubviant tuned up with an exclusive Nelson Sauvin third dry hop inspired by the places that get it in Monmouth Beach. Nelson gives 0’dub’s mix of dank resins and tropical fruits an elegant touch of cut grass and gooseberries. Drink 07750 and explore the vinous side of new world hops.
- Siberian Black Magic Panther : This beer is as hairy as a Siberian... or as a panther. And you better believe it because it gets the black magic from mountains of roasted malts and dark candi syrup. During the long weeks in the fermentor it gathers its rage... a rage this mythical beast of imperial stout wants to unleash on your taste buds.
- Weizenbock : A Bavarian cloudy Weiss or Wheat beer brewed to bock strength. The overall impression is a beer that is strong and malty, rich, full bodied and warming. Flavours of chocolate, Christmas cake, raisins, dark fruits and even a hint of Easter spices and clove characters.
- Nor' Easter Winter Warmer : This is a truly unique brew, combining some unusual elements to create a powerful, yet flavorful brew. I brewed a similar beer to this one back in 1998, while I was home brewing out in California. Only this time around, I decided to age it in bourbon barrels to add a new element to the already rich sensory profile. The combination of dark malt, elderberries and bourbon barrels makes for an interesting tasting experience. This is a sippin’ beer, so sit back by the fire and enjoy.
- Just Add Water : Threes/Industrial Arts Collaboration. Brett C Pale Ale (with 50lbs of mangos); tropical fruit, hops, mild funk.
- Golden Nugget IPA : This spectacularly golden, medium bodied IPA was crafted from a winning combination of Golden Promise malt and Nugget hops. Fall in love with the big hop aroma of our Golden Nugget as it mingles with fragrances of citrus and evergreen, followed by a floral sweetness. Tropical fruit flavors entice your taste buds before immediately captivating you with a bold, hop forward taste and a pleasant bitterness in the finish.
- Party Shapes : 4.5% Session beer/American Wild Ale, A session beer with a hint of funk. An american wild ale brewed with oats & wheat. Tropical fruit notes with some spice character attributed to the yeast. 
- Hazy Worker : Juicy, Hazy, dry hopped with Citra and NYS cascade hops. Strong notes of tropical fruit.
- Berried Treasure : sour fruit ale that uses blueberries, blackberries and raspberries and is aged 10 months in Rum barrels
- Compassionate Fascism : Fruity ester aromatics with a malty, spicy, and floral flavor profile and bone dry refreshingly bitter finish.
- Orange Slobberknocker : A big, bold and hoppy American-style Barleywine. This very full-bodied, deep reddish hued brew has a rich malt backbone supported by the bold hop flavors of the Citra hops in kettle additions and dry-hopped as well along with pure orange peel to enhance the fruit flavor.
- Chronic D’ Aphotic : Chronic D’ Aphotic is our dark winter offering combining four of our farm’s most resinous hop varieties, Chinook, Cascade, Crystal, and Nugget. Organic oats lend a smooth, creamy mouthfeel, and organic German roasted malt brings a firm essence of chocolate. Chronic D’ Aphotic literally means the perpetual state of a complete absence of light, so cheers to the sunlight coming back to us again!
- Bona Fide Barrel-Aged Stout (Elijah Craig) : Bona Fide Imperial Stout is a special one off beer in collaboration with Paul Hayden and The Wine and Cheese Place. We aged our Bona Fide Imperial Stout in this single barrel of Elijah Craig 12 year. A very special project that will likely never repeat. This version of Bona Fide pours midnight black with a smooth velvety mouthfeel. Aromas of whisky, vanilla, espresso, and dark chocolate take center stage. Drink now or cellar for up to 5 years.
- Tequila Cask-Aged Imperial Stout : This Barrel Room Series beer, available exclusively in the Kansas City Barrel-Aged Great Eight sample pack, features flavors of caramel, honey and anise gained during aging, adding complexity to a near syrupy-bodied obsidian stout. Subtle earth/herbal hops and notes of bittersweet chocolate, cloves and charred oak provide balance.
- Silver Wheat Ale : Our award-winning, filtered wheat beer is brewed to be light and refreshing. Silver Wheat Ale is lightly hopped, with a sweet and fruity nose, carried on the strength of a crisp wheat body.
- Scrap Dog : Scrap Dog is a Double IPA brewed with fluffy oats and caramel malts. Assertively hopped in the kettle with Galaxy and Crystal and then conditioned atop careless heaps of lush pink guava, pineapple and apricot purées. Then dry hopped with Galaxy and Citra. Notes of over ripe mango, peach sorbet, grapefruit pith, and blood orange bitters.
- Wild Sour Series: Synchopathic Apricot : Synchopathic Apricot 'synchs' our refreshingly tart sour ale with the citrusy dry-hopping of a pale ale. Biscuity malt and uplifting stone fruit beat from added apricots form a perfect harmony in this delicately balanced and delightfully enjoyable beer.
- The Ides of March : A cheery golden-amber hue with flavors of brown sugar and hints of fruit make this interpretation of a Marzen.
- Wort is Bond II : Wort is Bond II is a collaboration brew between Good Nature Farm Brewery and Brown’s Brewing Co., our friends in New York’s Capital Region who have been craft beer champions since 1993. Wort is Bond II is a New England Style Pale Ale with generous helpings of oats, NYS wheat, and NYS pale malt. The oats and wheat make up a remarkable 60% of the grain bill, which is made possible by Good Nature’s High Efficiency Brew System. The brew is dry-hopped with Vic Secret hops, layering an aroma of earthy pine meets pineapple meets grapefruit onto the full body provided by the grain bill and added lactose. The taste of pineapple, guava, and passionfruit will leave you asking the bartender for another. Available only at Good Nature and Brown’s locations.
- Black Lager : Brewed in the German Schwarzbier style, this is one of the most sessionable dark beers out there. This clean lager is fermented with an Augustiner yeast strain, and given its roast, chocolate character from dark wheat and carafa malts.
- Kendema Fresh Hop Ale : This american pale ale showcases Montana grown hops in their natural state, fresh and straight from the farm forgoing any kiln drying. Gold in color, this beer is crisp and refreshing with abundant wet hop aromas of fresh cut grass, sweet fruit and subtle spiciness. Available in the taproom and select draft accounts in Montana. Get it while it's fresh!
- Sleepin' With Shaggy : After spending 4 years in Brandy barrels it became time to unleash the dark monster within. Thick toffee aromatics exude with dense layers of fig, molasses, caramel, and a medley of dark fruits. Sweet flavors of toffee and caramel mingle with the warming spice of vanilla, sherry-like notes, and brandy barrel oak tannin. When served above 55 degrees Fahrenheit (highly recommended) more dark fruits like plum, date, raisin, and fig are further revealed. Our CEO/Founder Mike Hinkley has enjoyed pairing this Brandy Barrel Aged Barleywine with a big stuffed “Shaggy” dog that came from the local fair carnies and therefore we now have “Sleepin' with Shaggy”.
- Belgian Dubbel : Our Belgian Dubbel is a complex, malty and sweet tasting Belgian ale with a dry finish. Brewed with Pilsner malt and lots of different Belgian specialty malts as well as dark Belgian candy sugar.
- Kapitan's Kolsch : A crisp, clear beer balanced with subtle fruit and hop character.
- Django Chili IPA : This IPA was brewed with Amarillo and Chinook hops. Whitney added Guajillo and New Mexico chilies as well as Cascade hops in the hop back. She then dry-hopped it with Amarillo, Chinook and Azacca hops and infused it with Thai and Jalapeno peppers in the brite tank for a subtle heat. Sounds complicate? Good. The "D" may be silent but these fruited peppers sure aren't.
- Simcoe (Single Hop Series) : Simcoe is the latest addition to our single-hop series of india pale ales. The aroma of the hops themselves is a lovely combination of pungent earthiness and sweet fruit. That tropical fruit aroma persists into the glass, while the flavor that carries over to the finished beer has a solid bitterness with a nice piney undertone, dominated by a robust citrus, grapefruit-like quality. The beer finishes dry, leaving a clean, almost minty aftertaste on the palate. Another delicious example of what hops can contribute to the art of beer.
- 20th Anniversary Ale : '20' is a Belgian-style golden ale brewed with a combination of German, French and North American two row barley, complimented by an array of continental hops from Germany, Slovenia, & the Czech Republic. Fermented with a unique Belgian yeast strain to produce a complex fruity spiciness which is delicately balanced by the dry hop character infused by our hop gun. This beer has a delightfully earthy and vibrant hop aroma that's irresistible and perfect for celebrating our twenty years of authentic beers!
- Liquid Crystal : A delicate, light-bodied farmhouse ale featuring Azacca hops. Hoppy, funky, crisp, fruity, dry, refreshing. Collaboration with Flagship Brewing Co.
- Coffee Stout : Coffee complements the dark malts and strangely mellows the flavours to provide a smooth drinking stout which smells as good as it tastes.
- Luponic Distortion: Revolution No. 009 : Revolution No. 009 is a showcase for “public domain” hops from the United States and Germany, offering a fresh twist on some not-so-familiar favorites. The lead hops in Revolution No. 009 include two varieties from the Pacific Northwest—one that provides exotic tropical fruit and coconut notes, and another that offers a balance of earthy pine and citrus qualities. The German hops round out the blend with a dimension of bright fruitiness.
- Double Swingline : A Double Red Swingline'. Brewed with three heavily fruity hops, coriander, and tangerine zest, the profile is definitely American in focus. Aged in French Oak Chardonnay barrels with souring Lactobacillus, funky Brettanomyces yeast, and dry-hopped in each individual barrel.
- Smuttlabs Nótt : Dark farmhouse ale brewed on oak.
- Lovely Rita Belgian Golden Rye : This Belgian pale ale uses Goldpils Vienna malt to provide a crisp, clean, malt profile, while rye malt provides a spiciness to this golden ale. New Zealand hops provide a slight floral finish to balance the slightly fruity ester profile of the yeast
- Double Shot - Colombian El Jordan : This batch of Double Shot was crafted to integrate seamlessly with a remarkable and complex coffee - Colombia El Jordan! Given the rich, syrupy nature of the coffee, we brewed a base beer with similar attributes to create a uniquely decadent batch! El Jordan pours thick in the glass, emanating layers of flavors and aromas, including milk chocolate, cocoa, honeycomb, and even a hint of raspberry. It is singularly rich, the perfect accompaniment to a big plate of barbecue on a cool spring evening. It is, in our opinion, an example of what is possible with careful selection of ingredients paired with focused brewing execution. Please keep cold and enjoy FRESH!
- Cheshire Valley Citra IPA : The Citra IPA has a medium to high hop flavour and reflects an American hop character with citrusy, floral,and fruity aspects. The malt backbone supports the strong hop character and provides balance. The malt flavour is clean and malty sweet with some caramel and toasty flavours. 
- Saison Ale : Allagash Saison is our interpretation of a classic Belgian farmhouse style. It is a golden hued beer, brewed with a 2-Row blend, malted rye, oats and dark Belgian candi sugar. Saison is hopped with Tettnang, Bravo and Cascade hops. Fermented with a traditional saison yeast strain, Saison exhibits notes of spice and tropical fruit in the aroma. Citrus and a peppery spice dominate the flavor and make way for a pleasant malt character. Saison is full bodied with a remarkably dry finish.
- Six Beacons : Our Six Nations special. A copper coloured session ale with a full character and plenty of body; slightly fruity yet seriously refreshing – a pleasure to tackle!
- Toho : Toho is our award winning Hot Chocolate Milk Stout. In addition to a generous amount of dark malts, we added hot cocoa powder and lactose sugar to make this a creamy, chocolatey glass of deliciousness.
- The Bitter Professor IPA : The Bitter Proffesor IPA is an American West Coast IPA possess a nice light caramel taste leaving a crisp mouthfeel and is accented with small amounts of spiciness. Hopped with Amarillo, Cascade and Simcoe hops pleasant grapefruit and tangerine flavors and aroma are noted.
- Hop'solutely : Hop’solutely is a premium, flagship offering from Fegley’s Brew Works. This triple IPA has become a craft beer fan favorite. The addition of brettanomyces is the logical evolution of this brew. Brewmaster Beau Baden commented about Brett Hop’solutely, “We are excited to have this beer finally available after aging for nearly 4 months. This beer is fermented with 100% wild yeast (Brettanomyces). the wild yeast gives this beer a dryer flavor, light fruitiness and an effervescent finish. This beer weighs in at 11.5% ABV just like our regular version.”
- Trouble In Paradise : Trouble in Paradise is our tropically inspired Berliner Weiss fermented with Mangos. Utilizing a blend of Lactobacillus and our House ale strain we created a lightly colored, tart wheat ale. After fermenting and conditioning on 200 lbs of Mangos we infused this tart and fruity ale with spicy Habaneros to balance the sweetness of the fruit.
- J & J IPA : An awesome collaboration between our Brewmaster Jeremy and his buddy Joan from Mahou San Miguel. They took a simple malt bill and decided feature Comet hops grown by our friend and master hop grower Eric Desmerais. Comets have been around since 1975, and are now starting to regain popularity in the craft beer world. Expect lots of citrus and tropical fruits, some melon, and a hint of pine character.
- Galaxy Dry Hopped Sunshower : The most hop-forward in our series of Super Saisons, Galaxy Dry Hopped Sunshower is juicy and herbal, yet dry and peppery on the finish. Beautifully haze-straw colored in appearance with an earthy, pineapple aroma, this is a farmhouse offering that will delight any hop-head. The spicy, fermentation-driven character of our farmhouse yeast is subdued by the intensity of the Galaxy hops, which impart strong flavors of grapefruit and peach.
- Tropical OGB : Our OG Berliner Weisse fruited with Mango and Guava.
- King's Dish : One of our greatest works, this revival of Burton Style Ale pairs traditional British ingredients with Shakespeare's historic prose for a dark full-flavored beer characterized by intense malt flavors. A royal reinterpretation made ready for laymen, it's proof you need not be a king to drink like one.
- mmmBop : How do you really feel about fruit-infused American porters?
- The Fruits Of Our Labor : Dry-hopped fruit sour
- Orchard Reflection : Our second beer featuring whole fruit from Collins Family Orchard. This sour ale uses a mix of apricots, peaches, and second use apriums (from Aprium Dream) all combined in our foeder for a delightfully fruit-forward kick in the teeth.
- Lager : A golden, malty, rich, creamy complex lager with aroma of malt and fresh hops. Easy to drink with a lingering pleasant after-taste and foam that stands like a cloud above the rim of the glass; lacing at every sip.
- Urkontinent : Urkontinent is a Belgian-style dubbel that begins with Pilsner, Munich and Chocolate malts and Belgian Dark Candi syrup.
- Saint Arnold Sailing Santa : Sailing Santa is a deep copper colored blend of our Christmas Ale and Elissa IPA with spices added. The result is a pleasantly hoppy strong dark ale with spices. The genesis of this beer came from our customers on tours asking to blend the two beers. Eventually, someone came up with the name Sailing Santa. We have now added spices to the beer, changing the mix slightly from year to year, to add to the holiday experience of enjoying a pint. We actually brew a batch of Christmas Ale, then a batch of Elissa IPA and blend them in the fermenter. We add the spices at the end of fermentation.
- Double Sunshine IPA : This American double India pale ale is packed with juicy tropical fruit flavors and bright herbal aromas, thanks to the abundance of US-grown hops.
- Dark Rye : "This one is broadly in the dark Altbier style - a rich brown beer with a complex malty taste, accent with some peppery flavor from a judicious amount of crystal rye malt. Very roasty and nicely bitter."
- HopAnomaly : (Previously known as Hop God) A beautiful golden crossbreed of a Belgian Tripel and a West Coast IPA. A remarkable explosion on the palate with spiciness, tropical fruit, and a firm citrus bitterness that will leave you begging for more! Aromas of grapefruit, citrus, and piney hops & tastes on the palate that tend toward pineapple, mango, and sweeter fruits. A big beer that was inspired by the West Coast – yet brewed by a Midwestern brewery not content with the status quo.
- Ocho Maltas : The traditional Vienna Lager style originated in Austria, and then continued in Mexico after a short wave of Austrian occupation, in the late 1800s, brought with it an influx of European brewers. Smooth and drinkable, yet complex in its malt profile, this amber lager is a joy to drink on any occasion. 
- Green Bench IPA : This our “bench-mark” beer. A medium bodied ale with aromas of soft citrus and earthy pine combined with very subtle notes of tropical fruit. This highly hopped American style IPA leaves your pallet with a lingering dry and bitter finish.
- Remy : Remy is a travel buddy whose life, at times, has rivaled that of the world's most interesting men -- free-spirited, adventurous, social, and with a penchant for fast women, whiskey, and beer: the perfect inspiration for something truly special. We filled eight Heaven Hill bourbon barrels with our award-winning Imperial Russian Stout and let them sleep for eight months. The transformation resulted in a beer that is rich and roasty, with incredible flavors of marshmallow, coconut, and dark chocolate. We hope you enjoy this very limited release -- that it inspires you to try something new and that it makes you a little more interesting as well!
- Smoked Porter : Our smoked porter starts off smooth with an interesting mix of dark fruit and coffee with a lingering smokiness. The base of our robust porter paired with beechwood smoked malt creates a balanced beer that plays nicely with dark meats and strong cheese.
- Single Hop Series: All Chinook Pale Ale : Classic American Pale but also brewed with Munich, Wheat and Rye Malts for a smooth body and a bit of rye spiciness. Only Chinook hops were used throughout, from the boil to dry-hopping. Highly Hopped! Classic Chinook grapefruity-ness. A bit more Rye than other Single Hop series.
- Decadence 2015 Belgian-Style Amber : In the spirit of traditional Belgian brewing we've departed from style-constraints to bring you a fresh take on the popular European style, the Belgian Amber. This big, complex, amber-hued ale was brewed with a substantial amount of Belgian and European malts that complement the spiciness imparted by Belgian abbey yeast. The result is a perfect balance between rich, toasty maltiness, Belgian Candi sugar and the light, floral profile of European hops. Enjoy this hearty Belgian-inspired brew now or age at a cool temperature to increase its complexities.
- Geodesic : An IPA created with generous amounts of wheat and a mountain of Experimental 331, Mosaic, and Amarillo hops, Geodesic is at once assertive, complex, and massively refreshing, with big resinous flavors and aromas complemented by a boatload of tropical fruit character. It's an intensely delicious combo that handily maintains the difficult balance of intriguing complexity and serious crushability. We feel really good about selling it to you.
- The Heart Of Darkness : One look at this inky libation and the name is understood. Think and rich, this beer devours light. A complex blend of light and dark malts gives this crafty brew layers upon layers of flavor. A subtle sweetness bolsters the bitter dark malts bringing out their nuances. Mellow burnt notes and hints of coffee give way to a creamy chocolate aftertaste. A cohort of shadow, the Heart of Darkness is the perfect partner to help survive the long, dark, frigid nights of winter.
- Whiskey Jack Ale : This proprietary dark-amber recipe is dry-hopped with English Kent hops for a true craft beer experience. Warm, copper colour. A well-rounded mouthfeel with subtle bittering. A perfectly balanced session ale.
- Oak Aged Imperial Red (Venture Series) : Our Oak Aged Imperial Red has intriguing aromas of oak and mocha. Creamy malt flavors of caramel and chocolate create a complex flavor balanced with hop bitterness.
- Smoke Stack Stout : Pitch black in color, our Smoke Stack Stout is as dark and robust as the name implies. You will find characters of baker's chocolate, roasted grain, cacao, caramel and spicy hops that finishes roasty, bitter, and semi-dry. This beer is all about the malt, in which we use a wide assortment of grains to build the desired complexity.
- Bride Maker : This is our 2nd take on a barrel aged lager wine. This 13% abv beer was brewed last winter and has been aged in bourbon barrels. While Bride Maker is the same style of beer as Baby Maker, the recipe was reworked. The main difference is the use of Special B malt to give it more color and body as well as notes of caramel, toffee and dark fruits. We feel that Bride Maker is a sweeter, more well rounded take on the style.
- Modem Tones - Jamaican Rum Barrel Aged with Cocoa, & Raspberries : Named for an infamous auto correct error this breathtakingly flavorful imperial stout is the result of our ongoing quest to summit the peak of liquid decadence. Aged for months upon months in fragrant, fruity rum barrels and dosed with liberal amounts of cocoa and raspberries this spellbindingly tasty beverage emerged sporting beautiful flavors and aromas of rum, caramel, dark chocolate, and juicy red berries, all ensconced in a think chewy mouthfeel that brings the whole sensory package home in spectacular fashion. Pro Tip: Let warm up to 55 degrees if you want your socks knocked off all the way.
- Facing East : Facing East is our first run at the "NE style" IPAs. Though JFK faced west to represent the new frontier, the east end represents our home and our new beers. Hopped and dry hopped with Kohatu and Citra, Facing East pours a bright hazy orange loaded with tons of citrus and tropical fruits.
- 4 Redemption Barrel Aged Quad Ale : This Belgian style strong ale is rich in malty sweetness despite the relatively simple grain bill, which is what brewers call the grains that are used to make the wort. (Wort is the pre-beer liquid that is created by extracting fermentable sugars from the malt with hot water -- it’s essentially beer before the yeast is added). The Quad is brewed with Belgian yeast that produces esters (fruity flavors produced during fermentation), which give the beer its dark fruit notes of plum, cherry and raisin, along with a hint of spiciness. This big, dark beer is then aged in bourbon barrels from Heaven Hill for five months. The barrels impart some woodiness, bourbon flavor, and notes of vanilla to the beer, while mellowing it out to a deceptively smooth brew whose big ABV (alcohol by volume) of 11.4% is almost undetectable on the palate. Watch out, this Quad is complex and dangerous, but lots of fun to drink.
- Alignment BelGene : Our brand new chapter in the saga of the BelGene series takes a new turn, this version is an un-spiced Belgian Wheat, or Witbier. Ramping up the classic session beer to 6% ABV with a proprietary blend of Belgian yeasts gives this brew a bold fruit and spice aroma and flavor. Heavily hopped with Mt. Hood hops, which are a NW bred version of a German lager type hop, this wit has spicy flavor notes at the front of the palate, with a pleasant lingering bitter finish.
- Repo Man : Repo Man Pale collects flavors of pine, lime zest and tropical fruit from the combination of Equinox and Citra hops. This hop pairing sits on top of a soft creamy malt body that finishes fruity and refreshing.
- Alpha Tripel : An American version of the classic Belgian Tripel. Pale yellow but full-bodied. The Belgian yeast marries with American hops for a nose and palate full of fruity characters.
- Crasher In The Rye : Ahhh, what better smell is there than chupacabras, defeated, burning in a field of rye? Ummm, perhaps the complex aromatics of Crasher in the Rye? Texas oak smoked malt, from Blacklards Malt Company, as well as a touch of rye malt, complement the roasted bittersweet care of the brew. Aged 100% in Rye and Bourbon barrels.
- High Desert Pale Ale : Previously known as the “Northern Pale Ale.” This unique beer takes an Oktoberfest recipe and turns it on its head, interpreting it as an easygoing American pale ale. Using 100% estate-grown malt from a small family farm in Oregon’s famous High Desert, this beer will have a flavor and complexity truly unique to the American Northwest. Subtle toasty, bready, and earthy notes linger throughout this beer – try it once with any hot dog and you’ll see why it was such a runaway hit at our first opening.
- Ca$h Mony : CA$H MONY is an Imperial IPA brewed with a wasteful amount of the very best hops we could secure. An ample malt bill is paired with a huge dose of pungent hop flavor. Citrus dominates the aroma, accentuated by notes of melon, pine, and tropical fruit.
- Southern Hemisphere Hoppy Pilsner : New Zealand’s Wai-Iti hop is bright with aromas of mandarin and lime zest. Add the signature orange zest/marmalade notes from Pacifica hops, also of New Zealand, and you have our Southern Hemisphere Hoppy Pilsner. Crisp and clean with hints of orange zest and spice, it combines subtle complexity and superb drinkability.
- NULA Mango + Passion : Tropical fruit juice explosion. Brewed with an outrageous fruit : beer ratio 5 : 1 alphonso mango : passionfruit. So creamy, so fruity. Dry-hopped with Citra and Mosaic.
- White Caps : Brewed with hefty portions of wheat and oats, White Caps has a soft mouthfeel, a pillowy head, and a robust body. Featuring Mosaic and Citra hops, this effervescent Double IPA explodes with notes of papaya, mango, stone fruits, and citrus. Like the Atlantic during a nor'easter, White Caps is slightly dangerous, utterly crushable, and thoroughly New Jersey.
- Sean Witch : Darkened version of Salty Lady, aged in whiskey barrels.
- Spring Thaw Dark Wheat Ale : "While most wheat-based ales are light in color and quenching in flavor, this early spring version is hued in tones of emerald-brown and is more richly expressive in flavor than its lighter colored cousin. In the glass, a tightly latticed cap of wheat protein enriched white foam does the introductions. The wholesome, biscuity aromatics of malted wheat are joined harmoniously with floral and spicy hop notes. A first swallow reveals an extremely refreshing quality that manages somehow to also be pleasantly satiating. This really is a hybrid beer that is a unique cross between a Wheat Ale, an Amber ale and a Dark Mild."
- Redhook Out Of Your Gourd Pumpkin Porter : Out of Your Gourd Pumpkin Porter is dark chestnut brown in color and is made with pureed pumpkin. Cinnamon, nutmeg and ginger are added to the whirlpool and maple syrup is added during fermentation. This full-bodied, rich roasty porter makes you want to eat turkey and watch football, or build a bonfire.
- Brett Apricot : This mixed-fermentation saison was aged on copious quantities of Ontario apricots; but after a month of macerating in stainless, we felt it wasn't apricot-y enough, so we added a metric wack-tonne of apricot puree; but then it was TOO apricot-y, so we decided to barrel-age it for a year in neutral oak. Now, it's perfect. Massive subtle elegance, screaming whispers of stone fruit and flowing streams of vinous textures and acidity.
- Uphill Both Ways : Featuring a substantial malt backbone and a robust bitterness this classic American IPA is a reminder of when beer tasted like beer. Malt and hops, nothing fancy. Pours a deep amber with flavors of caramel and toast. Simcoe, Centennial, and Cascade hops provide notes of orange peel, earthy pine, and dark spice. 
- La Oude Blanche : Sour Wheat With Passion Fruit
- Sawyer's Swap : An American style barley wine, very hoppy but with an ultra rich malty flavor. Use of the word" wine" is due to its similar alcoholic strength as a wine; but since it is made from grain rather than fruit, it is, in fact, a beer. This is a big beer with big flavor!
- Monkeysphere : This beer has a huge tropical fruit aroma accented by the robust toasted graham cracker aroma contributed by Munich malt.
- Schottleweizen : Adventures in wheat, saisonal yeast and darkness. This Schottleweizen is a seasonal release named in honour of Ben Schottle, the man whose pilot brews methodically trace the path from a seasonal brew idea to the bottle. Featuring a dark malt base and a generous dose of hops brought to life with Belgian-inspired saison yeast. It’s lively, moderately sweet, and a little bit unconventional—just like Ben.
- For The Sake Of Ale : The rich, complex rice flavors from the sake portion balance naturally with the malted barley and hops. Huge floral notes blend with fruit flavors of pear and pineapple, then round out with a signature, dry finish.
- Airing Of Grievances : Classic Belgian and English yeasts combine fruity esters with a deep malt presence for a creamy, chocolate finish. After drinking this decadent beer, one may feel at ease to tell friends how they've disappointed in the past year.
- Wild North Midnight Bock : Big, rich, dark and malty, Bock lagers were originally developed to sustain fasting monks. Brewed with malted wheat, specialty malt, and molasses, this smooth-sipping, full-bodied treat will carry you through a long winter’s night.
- Can't Keep Up 22 : Dry Hopped Mosaic Dark Sour
- Earth - Belgian Style Chocolate Milk Stout : Mother Earth is the rich fertile “living” planet. Our EARTH combines pale and dark malts for essential body. Cocoa nibs—decadent chocolate in its most elemental form—add distinction. Lush lactose creates incredible creaminess. But Earth gains amazing ground with extensive aging on Bergenfield extra dark cocoa.
- French Vanilla Militia (2017) : Dark Lord Aged in Muscat Barrels with Vanilla, Cocoa Nibs, and Coffee
- Dark Night : Dark Night is a rich and bready dark German lager that balances roasted yet smooth malt flavors with an earthy hop bitterness. The neutral malt profile and clean lager characteristics create a dry, but extremely drinkable beer.
- Vlad The Inhaler : Originally brewed in 18th century England for the Russian Imperial court, dark roasted English malts and an extended boil give this big robust stout notes of graham cracker and caramel.
- Ol' Oi! : In Britain, what started out as young or “mild” dark ale was once aged in oak barrels to make something that was likely similar to sour brown ales of East Flanders. Using a similar base recipe to Commercial Suicide Dark Mild, Ol’ Oi! is Jester King’s tribute to that tradition.
- Cosmic Charlie : Cosmic Charlie is an IPA that has been Triple Dry-hopped with a crazy amount of tropical fruit forward hops (Calypso, Denali & El Dorado) and supplemented with tons of Lupulin powder (Citra, Mosaic & Eukanot). Afterwards the beer was blended in with fresh Hop Oils to give it an extra "juicy" kick! Huge aromas and flavors of Mango, passion fruit and pineapple give way to some dank/grassy undertones and a silky mouthfeel.
- Winter Ale : The one thing we all need on a dark winter night is a beer to help us forget about the cold and remind us that sunny days lie ahead. Not too dark, but evenly brewed with spices and malts, making it a solid winter warmer.
- Embrace The Funk - Perception Of Reality : This golden sour ale evolved for over a year in freshly emptied pinot noir wine barrels with aged hops, wild yeasts and souring bacteria before a secondary fermentation with apricots. Mindblowingly complex tart and fruity.
- Sea Dog Invader Pale Ale : New England Style pale ale showcases the juicy and floral characteristics of some of our all time favorite hops. Monstrous whirl and dry hops additions of Mosaic and Citra promotes notes of orange peel and tangerine with clear earthy tropical fruit aroma. Lots of care was taken [to] accentuate the natural flavor of these hops while subduing the bitterness to make this beer truly crushable!
- Tropical Tart Ale : This sessionable summer sipper features pomegranate and passion fruit, topped off with Steamworks popular Kettle Sour to create a refreshing new take on the perfect patio beer. The new tart ale pours a beautiful deep hued gold, and leads with intense tropical fruit aromas. Superfruit flavours of passion fruit and pomegranate are balanced with an unmistakable thirst quenching tartness and a refreshingly dry finish. From the vibrant can artwork reminiscent of a Caribbean sunset to the tart fruit flavour, the Tropical Tart Ale whisks drinkers away to a care-free island paradise.
- Smoorhammer : This grog was inspired by our house Imperial Stout, Voorhamer, using a bevy of dark malts, kettle-torched sugars, cocoa nibs, vanilla beans, cinnamon and lactose sugar.
- Popaire Treumal : Fruit American Bown Ale. Malty & citric due addition of natural oranges
- Rare Barrel / Cellarmaker Smashin' Fruit With Guava : Collaboration with Cellarmaker. Tart IPA aged in oak barrels with guava and passion fruit.
- Belgian Golden Ale : A great beer for the summer weather. Our version is a rich golden color and light hopping makes this a refreshing and easy drinking brew. Fermentation was achieved with an authentic Belgian yeast strain that produces slight fruit and peppery notes along with a light phenolic flavor. The malt sweetness complements the yeast flavors making for a well balanced brew.
- Nightmare On Brett - Cherry : Dark sour ale aged in Leopold Bros whiskey barrels with cherries
- Sugar Plum White Winter Ale (2015) : A rich White Winter Ale forms the stage for holiday flavors which dance a festive ballet highlighted by pirouetting leaps of flavors. Plums, cacao nibs, cinnamon, and Buddy Brew coffee beans are added to the beer to emulate the subtle chocolate and coffee notes we’d normally get with darker malt. Brewed once a year to celebrate the season. Pair with fresh cracked nuts, fruit cake and share with friends and family.
- Bourbon Barrel Aged Shipwreck Porter : The Baltic-style Porter has a robust malt character and a slight herbal hop bitterness. Aged for 12 months in 10-year-old Kentucky bourbon oak barrels, this alluring dark liquid features appealing undertones of vanilla, oak, cocoa, and coffee. The aging occurs in abandoned mines in Michigan, at a constant temperature of 45F.
- Wagonplane Porter : Life is like a sled dog team: if you’re not the lead dog, the scenery never changes. Striving to create a dark beer that has a refined body, our Porter leads with aromas of roasted coffee and dark chocolate. Offering your palate layers of coffee and chocolate flavor and a feathery mouthfeel, Fernson Porter finishes with just the right amount of roasty bitterness. This fermentation from Fernson will lead you in the right direction.
- Hop Vader : From a brewery not so far, far away comes Hop Vader, a full-blown west coast hop experience that walks on the dark side. Hop Vader is a black IPA that's fully saturated with Pacific Northwest hops for a citrusy strike. A Jedi mind trick using German black malt give this beer a dark hue with subtle roasty notes. A Death Star-sized dry hop charge using Simcoe & Columbus leaves a dank aroma that would challenge even Master Yoda. Is your organoleptic light saber ready?
- Le Serpent Framboise : Inspired by the Belgian sour ales of West Flanders, Le Serpent Framboise has a distinctive acidity and complexity. It is brewed once a year in French oak barrels. Fresh Oregon raspberries are added in July. A mixed culture of "wild" organisms used for makes each batch truly unique. Le Serpent is hand bottled and available in very limited quantities. ENJOY. 2012 = 6 cases bottled
- Nacht Sauerkirsche : Nacht Sauerkirsche is our 10.2% crowd favorite stout with a couple of fun tweaks. We fermented, aged, and soured our imperial stout in regional bourbon barrels for nearly a year before blending in freshly brewed stout. We further aged this rustic refined ale on a massive amount of tart Montmorency and Rainer cherries. The result is a dark sour ale that has powerful notes of cherry and a just a hint malt sweetness on the nose that entices you to take another sip of this dark beauty. The flavor is an explosion of bright tart cherry dancing with the subtle coffee and chocolate notes of the base beer before fading into a dry, slightly sour finish.
- Mexican Cousin : Imperial Mexican Lager is brewed with Mexican Orange Blossom Honey and is aged in tequila barrels for ten months. Mexican Cousin is bright, crisp, and bursting with complex aromas of wild honey, cooked agave, and mandarin citrus.
- Haterade STUSH Berliner : Berliner made to taste like a fruit punch sports drink
- Pastiche : Complex Amber Ale
- Fiesta De Cinco : Five Mexican-themed ingredients come together for a party in this Cork and Cage release. The “Party of Five” incorporates agave syrup and lime peel. It was fermented with traditional Mexican lager yeast then aged in a tequila barrel for four months. This ale matured an additional month on prickly pear cactus fruit and was finished with lime peel. Fiesta de Cinco has a brilliant red hue, fruity aroma, finishes dry yet is sweet with watermelon and tequila notes.
- The Prioress : Smooth, sweet, and complex, the Prioress Milk Stout is full of wonderful caramel, toffee, and bitter dark chocolate flavors. Just a touch of roasted barley rounds out the finish, leaving a lingering chocolate covered espresso bean quality. Heaps of oats and lactose provide a velvety mouthfeel that is rich and elegant.
- Drink Well Red Ale : Drink Well Red Ale is as complex as it is simple. A robust Irish style red ale with a uniquely American twist. A floral nose with a touch of citrus coming from American Willamette Hops leads into a rich, malty backbone with big caramel and toffee notes, met in the middle with a distinctly toasty, mildly chocolaty finish. This drinking ale goes down smooth and finishes just dry enough to leave you craving another sip, then another pint!
- Stanley Park Noble Pilsner : Our brewmaster takes a full 28 days of great care and attention to detail to exact the balanced yet subtly complex character of this true Belgian Style Pilsner. Stanley Park Noble Pilsner is named for the careful blend of the noble hop varieties Hallertau-Mittelfrueh and Perle, which result in delicate and refined aroma and flavour. The use of these hops, 100% malt, a unique strain of yeast and carefully hand ground natural Belgian ingredients results in a mildly intense Pilsner with a remarkably pleasant finish.
- Harold : Imperial Stout aged in Koval Distillery Dark Rye Whiskey Barrels.
- Ardent Pilsner : Ardent Pilsner is a golden straw, clear pilsner with classic lager aroma that is clean and bready, with light grassiness from 100% Hallertauer mittelfrüh noble hops. Medium body and high carbonation accentuate the soft bitterness, malty sweetness and mild fruitiness. Ardent Pilsner is a crisp, refreshing German-style pils that finishes dry and clean with a creamy, long-lasting head that leaves rich lacing
- Traverse : As the days grow shorter, and the weather changes we decided it was time to brew something for these beautiful Autumn New England days. Traverse pours a dark amber color. She opens with flavors of toasted malts, bread crusts, dark fruits, and and a caramel sweetness complemented by a dry finish. The first of our Autumn lager offerings, Traverse is sure to be the perfect companion for our favorite outdoor New England weather...
- Bedlam : Bedlam! A chaotic blend of Citra hops and Belgian yeast give this IPA aromas of summer fruits and a bright hop presence with a plush finish.
- Cavatica Stout : The Latin root of Cavatica is cave, crevice, abyss or a dark place. Just like a stout should be.
- Ales for ALS : Ales for ALS is an IPA brewed with a special hop blend raising money for the ALS Therapy Development Institute. Slightly hazy and copper in color, this beer has a prominent white head with pungent aromas of floral, pine, and citrus. Well balanced this beer leads with floral notes followed by some slight pine and tropical fruit flavors. ​Medium bodied with a nice malt backbone, Ales for ALS finishes dry with some bitterness.
- Cylindrical : Wheat beer, soft, hazy, with light notes of sweet fruit and floral spice.
- Tiarna : Tiarna is a blend of two beers, one aged in oak and fermented with 100% brettanomyces and the other fermented in stainless with a blend of two belgian yeast strains. Both beers were brewed with a combination of 2 row and wheat malt in addition to specialty grains. It was hopped with Hallertau, Styrian Goldings and Cascade hops. The finished beer is dark golden in color with citrus, pineapple and bread in the aroma. The flavor of this tart beer has notes of grapefruit, lemon, and bread crust, and a long, dry finish.
- System Of A Stout : System of a Stout [Imperial Armenian Coffee Stout ] - An imperial stout infused with all the traditional ingredients of a savory cup of Armenian coffee: cardamom, molasses, coffee (of course), and brandy. In the kettle, the beer is lightly dosed with green cardamom for exotic spice notes. Molasses adds a richness that seamlessly blends in. The finished beer was then aged for several days on masterfully roasted coffee from Portola Coffee Lab in Costa Mesa. The beer was then aged for several weeks on Armenian brandy-soaked oak chips for yet another dimension of flavors and aromas. Take your time & enjoy this endlessly complex & nuanced beer.
- Sangre De Frambuesa : This hand-numbered bottle of Sangre de Frambuesa is a tribute to the Santa Fe Brewing Company's 20 year legacy of brewing traditional yet unique beers, which are as enchanting as the southwestern state in which they are brewed. By uniting the highest quality ingredients from Canada, Oregon, Germany, Belgium, and New Mexico, this unique beer marries world-class complexity with playful levity. Enjoy this beer much as you would a bottle of good champagne: in the company of friends and in the spirit of joy. Chill it well, as its exuberant effervescence may surprise you when it is opened. As this beer dances across your tongue, you will enjoy an interplay of bright tart, sweet, spicy, and fruity flavors that bubble out of a crisp, dry body, linger for a moment, and eventually fade into a warm afterglow. The Sangre de Frambuesa is as close as anyone in the world has ever come to bottling a Santa Fe sunset.
- Orion : Night Shift Barrel Society 2014 Release #5. Sour dark ale aged in oak barrels.
- Simple : English Mild; simple yet complex malt notes. Dark in color, full in flavor, sessionable!
- Dark Racer : A special batch from our Pilot Program: A dark, malty IPA made with a special blend of rich crystal and roasted malts and hopped with such favorites as Centennial, Cascade, Apollo, and Amarillo.
- Wiltse's Blue Ox Stout : Full flavored dark beer made with oatmeal and roasted grains. Very smooth.
- Never Ever Land : This IIPA is distinguished by Midwest style balance–not too bitter, and not too sweet. It pours a golden orange hue with a frothy head that sticks to the glass after every sip. With a mixture of German and American aroma hops at a rate of 4 pounds of hops per barrel, there is hop fruitiness in the aroma with a resinous backbone on your palate. It finishes without lingering bitterness, and leaves you wondering what hops are in this beer.
- Black Hearted : Black Hearted Ale is a Black IPA, dark as night with a medium body and a bready malt profile from German Vienna malt. Huge additions of two types of hops Meridians and Centennials give the Black Hearted a caramelized tropical fruit and a spicy citrus aroma and flavor. 
- Oatmeal Yeti : Much like its legendary predecessors, this Yeti is big, bold and dark. The addition of rolled oats softens Yeti’s notoriously roasty backbone and the small amount of raisins added in the brew kettle create a unique dark fruit character. Just as admired as those that came before it, Oatmeal Yeti Imperial Stout is a gentle beast.
- Big Yard Belgian Blonde : Our Belgian Blonde is sweet with a low hop bitterness and flavor. It has a spicy fruitiness from a special Belgian yeast strain and a bit of alcohol warmth in the finish.
- Abrikoos en Hop : For Abrikoos en Hop, we selected a single two-year old spontaneous MT barrel and fermented it on apricots for eight weeks before a light dry-hopping with Nelson Sauvin hops. It bursts with notes of stone fruit, tropical aromas, and herbaceous white wine flavors. This beer was inspired by one of the entries in our Staff Draft competition during Madison Craft Beer Week.
- Use The Hops, Luke : Let the hops be with you! This ALL Galaxy IPA has a big, bright tropical fruit nose with pineapple, key-lime and other citrus fruit flavors. Smooth bitter finish.
- Nocturnum : With his insatiable appetite, the Wolf is guilty of devouring livestock & little old ladies, & is even thought to be able to swallow the sun. People of the old country observe strange rituals to appease his hunger, & never leave the house after dark for fear of being eaten. Maybe we’re not all superstitious, but it wouldn’t hurt to stay indoors with friends & share a glass of Nocturnum – our robust & balanced dark hoppy ale – brewed to keep evil at bay.
- ZeeLander : Zelicious single-hop showcase using the Nelson Sauvin hop from New Zealand. Delightfully confusing aromas of citrus and mandarin oranges give way to an incredibly complex body of earth tones and marigolds. This is truly unlike any hop you’ve ever tasted.
- I See The Vision - Key Lime : Lupulin powder IPA with rotating fruit
- Nu Skool IPA : After over a year of prototyping R&D batches of Nu Skool IPA, this final version is one special beer. It’s an approachable, well-balanced IPA with slight malty sweetness that’s brimming with tropical, fruity, spicy, piney & citrus character. To contrast our IPA (brewed since 2002), which most closely resembles a traditional English IPA in malt & hop bills, we wanted to brew an IPA in a new way. Like craft brewers, hop farmers have come a long way. This beer showcases just how far we’ve come with alluring aromas & explosive flavors using only new American & experimental hops. There’s no need to add anything else. It’s time to graduate to the next level of hop flavors with Nu Skool IPA. 
- Red Ruby : American wheat ale with grapefruit and key lime zest.
- Weekend At Berliner Weisse : Brewed with passion fruit.
- Apricot Chamomile Double Milkshake IPA : Apricot Chamomile Double Milkshake IPA is our latest plugged in heavily amplified psychedelic riff on THE boundary-pushing Culinary IPA series that we created with our psycho siblings at @omnipollo over three years ago! Brewed with gobs of oats and lactose sugar. Conditioned atop an abundance of luscious Madagascar vanilla beans, ripe and drippy apricot purée and fresh chamomile flowers. Intensely hopped and then double dry hopped with Mosaic and Citra.=) Life affirming notes of tangelo sorbetto, juicyfruit, vanilla and marshmallow sundae, spring flowers, and blueberry parfait.
- Golden Sour Ale : Aged 24 months in Red wine barrels, this golden sour is intensely tart, with a dizzying array of fruitiness and mouth puckering acidity.
- !Pablamo! : !Poblamo! is the latest in our farm bounty lineup, utilizing freshly fire roasted Poblano chiles straight from the field. Infused into a base of a malty and balanced amber ale, the roasted notes of the chiles dominate the aroma of this beer. The depth of maltiness and rich fruity flavors provide a solid canvas to present the bold flavor profile of the chiles. While having a lively tingle on the tongue, the heat level remains subdued and pleasant the whole glass through.
- Black Oak Beat The Heat : Inspired by the farmers of Belgium who would brew beer during winter months for consumption on hot summer days, our Beat the Heat Belgian Wheat beer incorporates orange zest and coriander seed to create a light bodied ale with complex earthy and citrus notes. This higher carbonation brew embraces fruit and spice, a slight toasted wheat body while finishing dry to quench your palate. Enjoy on the warmest of days paired with soft goat cheeses and barbecued seafood. 
- Game Over - Cherry Roll Up : Cherry Roll Up is a barrel-aged golden sour originally refermented on 250lbs of tart cherries, then refermented a second time on 50lbs of homemade black raspberry fruit roll ups (black raspberry, lemon, lime, Saigon cinnamon, and nutmeg).
- Saw-Whet Saison : This farmhouse ale shows off a complex and a unique, spicy yeast with subtle citrus notes. Astutely hopped for balance and dimension, while finishing exceptionally dry. A perfect beer to transition from winter to spring.
- From The Roots : Maple sap has a fairly low sugar content before it is reduced down into syrup and is sometimes known simply as "sweet water." Because we make small batches, and because we stumbled into about 90 gallons of maple sap, we were able to make this beer completely from the sap for the entire process. The beer is stronger, but the body is fairly light for being so dark, and there is not a lot of residual sweetness. We only made one barrel of this beer, so once it's gone, you will never see its like again! Cheers!
- No Self : Robust Porter brewed with a plethora of dark malts and PA local wildflower honey. Conditioned on additional heaps of honey along with Madagascar bourbon vanilla beans, marshmallow root, and pink peppercorns. Rich, velvety, and contemplative.
- Dankwood : What do you get when a big, bold imperial red IPA meets an oak bourbon barrel? A palate stunner that’ll send your senses spinning or, as we like to call it, Dankwood. Rich caramel notes emerge from the depths of the IPA, highlighting strong malt character while the bourbon barrel-aging develops the complexity. A dank, sticky and slightly sweet sipper, Dankwood is the perfect alchemy of wood and hops.
- Frederic C. Noir : Originally brewed for the 1st Anniversary of Eugene’s 16 Tons, “Frederic’s Lost Arm” was a collaboration with J-Tea International - a Saison made with Iron Goddess Green Oolong Tea. This farmhouse style ale was a tribute to the French writer Frederic Sauser who lost dominant arm in WWI before learning to write with his other hand. We laid the beer to slumber for two years with Brettanomyces Clausenii, a wild yeast evoking fruity aromas and earthy, funky flavors. Fred is light, crisp, and fruity with mild herbal noes and a pineapple-like finish. See what time has done for Frederic C. Noir! Cheers to three years of prosperity at 16 Tons!
- Superhop IPA : This was originally an exclusive beer for Japan’s largest department store Isetan. Despite the tropical aromas, this beer possesses no fruit - only hops!
- Centaur Gardens : We crammed this incredible beverage with Amarillo, Simcoe, Citra, J17, and Mosaic hops and fermented with London III yeast, yielding a majestic juice-beast bursting with tropical, citrus, and stone fruit magic. It's a breathtaking feat of hop-sorcery that puts your lucky little taste buds on the express train to Downtown Partyville.
- J.R.E.A.M. - Tangerine Cherry : Fruited Sour Ale with Lactose
- Munster Southern Brown : Our "not normal" version of a English Southern Brown ale. More bitter and higher alcohol than a traditional southern brown, but what else would you expect from a Munster-style beer? Dark, a little fruity, and perfect for these colder temperatures.
- Haunted Stars - NOLA Coffee : Haunted Stars is a rye imperial porter rocking a chewy, chocolaty, spicy malt character that coats the mouth and warms the cockles. We added New Orleans-style coffee to this already-delicious mix, yielding gorgeous notes of coffee, chicory, and vanilla that take this beast to a whole new level of decadent complexity. Ready your taste buds for acute pleasure.
- 25:35 Bourbon Barrel Aged Imperial Stout : This Imperial Stout was aged in Heaven Hill Bourbon barrels for 3 months and then blended back with a small portion of fresh stout. Notes of dark chocolate, dark fruit, coffee, vanilla, and oak. Naturally carbonated.
- Bystander : You won’t be a bystander for long once you’re intoxicated by the aroma of grapefruit and strawberry. Brewed with Australian Galaxy hops and German malts for a big hop flavour of citrus and passionfruit with a sweet malt undertone. It will bedevil you.
- Shades : Shades also uses cherries from Baird, although in this case we’re talking Rainiers, which don’t alter the color of the beer. This is deceiving, because it’s loaded with fruit flavor–employing over 100 pounds per cask–although this blend only comprised six barrels. Upright brewers used two different lots of cherries, one notably sweet and the other tart, and inoculated the casks with three different brettanomyces strains. The beer was aged and conditioned just like the Hearts’ Beat, but the brett was pushed further to produce a funkier aromatic profile with a bit more acidity. Both beers are named after a Charles Mingus composition from his album “The Black Saint and Sinner Lady.”
- Candi Stout : Candi Stout is our fusion of a Belgian dark ale and a classic stout. A rich blend of roasted malts is blended with cocoa nibs and candi syrup (traditionally used in Belgian abbey ales) during brewing resulting in a wonderfully drinkable stout with notes of roasted malt, chocolate, and a hint of sweetness. A surprisingly light mouthfeel and effervescent carbonation deliver a sessionable drinkability not often found in stouts today.
- Pullman Porter : Barrel-aged Porter- A traditional robust porter that is easy drinking on the senses, with a balance of dark and roasted malt, you won't believe it's 6.5 abv. Aged in Breckenridge distillery barrels.
- Bumbleberry Saison : Saison Royale brewed with Real Fruit. Deep in the forests of an undiscovered land, on the tallest tree you can see, grows a fruit that ripens but only once a year on the night of the harvest moon. The ever elusive, Bumbleberry. We've spent years researching where and when to find this fruit to add to our Saison Royale. Bright berry fruit flavors explode with balanced malt and yeast flavors. This beer is meant to be enjoyed in the summer of 2015. Share with the ones you love. Less than 200 bottles available at brewery only.
- Spike's The Resident Red Rye : A smooth red ale infused with Nelson-grown hops and some good old American rye, giving it nutty and spicy notes. Very popular Stateside, it's right up there with baseball and Tom Selleck's moustache.
- Manuary Ale : This beer was brewed in honor of a group of Rushing Duck friends. Every year in January, this group embarks on an annual camping trip. What’s manlier than camping during the coldest month of the year? Not a whole lot, so enjoy this beer while sitting around a fire in the freezing cold, in the middle of the woods with good friends. Manuary Ale is a Black Belgian Style Tripel. It is brewed with a Trappist strain of yeast, and despite its dark color, it has a light body and no roasted or dark notes. So you’re probably asking yourself “why bother brewing a black version of a typically very light colored beer?” … because we can.
- Kittatinny Wheat : A pale, spicy, fruity, refreshing wheat-based ale that is named after the Kittatinny Ridge, the premier raptor migration corridor in the Northeastern US, where the best- known hawk watching site in the east, Hawk Mountain Sanctuary, is located.
- Cuvee Lactovasilios (Sole Composition Series) : Cuvee Lactovasilios is a two cask blend made from a Berliner weisse style wort. The brew was fermented directly in several barrels, but this small batch version was done in the ones that previously held the Fantasia, our annual lambic-esque peach beer, and later a round of Five. The fruit originally in the barrel stayed the entire time, becoming a habitat for different yeasts and bacteria, some pitched by us and others coming from the orchard. The fruit also retained some of the Five, which lends this Cuvee a very slight bitterness and hint of saison character. Coupled with the mixed yeast and bacteria barrel fermentation, the finished beer even takes on some Geuze-like qualities and while ready now will certainly mature well for several years.
- Pomegranate Gose : Golden peach in the glass with delicate lacing, the nose boasts bright citrus and rich red pomegranate. The palate is refreshing with citrus in the beginning, fruity pomegranate in the mid-palate and the dry, sea salt finish of a classic Gose.
- BBF 2013 Malts : Pils, Dark Munich, Carapils, Crystal, Chocolate, Roasted Barley, Oat
- Hoptinite : This deconstructed version of our classic Torpedo Extra IPA has rich notes of tropical and citrus fruits, along with a savory, earthy balance.
- Winter Cheers : A wheat ale, combining German wheat and barley malts, oats, torrified wheat and whole flower Tettnang and Citra hops, this fruity and warming holiday brew delivers a refreshing finish, with spicy hints of banana, clove and citrus.
- Milk Stout : Don’t fear the beer, boldly go. Nitro is your vessel on this roasty chocolate wave that ripples through the velvety dark mysteries of the universe. Made from stardust, our milk stout is a taste of the Milky Way.
- Cape Ranch : The use of whole leaf hops in this hoppy saison bring out a juicy, fruity and citrusy character. 
- MAD Essen Style Belgian Wheat : Director of Fermentation Pete toured the De Dolle brewery in Essen and was inspired by their fruity wheat beer. Drinkable, aromatic with hints of ripe fruit and spice. They are truly the 'mad brewers'!
- Pale Ale : Another Triptych favorite returns, this golden pale ale is brewed with a blend of Nugget, Simcoe, and Citra for an extreme amount of hop aroma and flavor. A touch of El Dorado and Amarillo guest star in this batch for an extra fruity, citrus punch.
- Machine House Dark Mild : A traditional English Dark Mild, one of the great underappreciated beers. Mild in ABV, mild in hop bitterness and aroma, yet our most full flavoured and drinkable ale. Light bodied and very smooth, yet dark in colour with a rich, chocolate flavor.
- Proper : Tan color, bread and toast aromas with notes of caramel and dark fruit and a medium, dry finish.
- Unloved : Unloved is an 11% Imperial Oyster Stout made with oysters from Tangier Island Oyster Co. Extremely full bodied, dark chocolate, coffee, fudge, with a subtle salty/briney finish. This beast turned out rad!
- Workers Are Going Home IIPA : AND WHEN THEY GET HOME they’re cracking open this super soft and smooth, stone fruit & mango / mild tangerine / dank citrus IIPA that drinks like a much more sessionable brew. This is our most international IIPA yet, hopped with new-age Euro as well as Aussie and PNW varieties. This version has a second huge charge of Euro/Aussie dry-hopping. Hey it’s nice to know every day has its night.
- Peaceful Pepper : Never had a pepper beer? This is where you need to start. Sweet Cayenne, Hungarian Wax, Inferno and Pimento peppers and a deep complexity with just a touch of heat. Earthy undertones round it out with a hint of sweet served in a snifter.
- Pilž Tmavé : A dark, malty Czech-style lager.
- Hazer Beam IPA : Hazy/Juicy IPA. Silver Medal Winner at the 2018 Brewing News, National IPA Championship. Fresh out of Eastern Oregon. Hazer Beam IPA is brewed with a bunch of Mosaic, Mandarina, Ekuanot, and Galaxy hops layered over a base of Pilsner malt and wheat. We added some Eureka malt from Baker City's Gold Rush Malt for some complexity.
- Arzelle : Arzelle is a type of soil blend in the Condrieu; white wine appellation in the Northern Rhône Valley. It is responsible for the fruity aromas of peaches and apricots in typically found in Rhône Viognier. 2017 Arzelle is a Viognier Strong Ale. We started with a strong, lightly hopped base beer and a local El Dorado Viognier produced by Solid Ground. We fermented 19.5% Viognier into the base beer for an aromatic and light ale that has flavors of peach, apricot, lychee, and ginger. We used an unhopped IPA base and blended it with Viognier we produced from the Sierra Foothills. Arzelle has a crisp acidity with notes of apricot, ginger, and peach which are derived both by hops and the Viognier addition.
- Bitter Esters Dry Stout : This dark beer has strong flavors of dark chocolate and french roasted coffee that give it a chewy quality.
- Sesion Negra : It's the slightly darker cousin to Sesion Cerveza, with a toasty sweetness, copper color and the kind of malty aroma you expect from a Mexican lager.
- Plutopia Triple IPA : A critical mass of rad Northwest hops featuring a tropical fruit flavor and aroma with a healthy dose of pine.
- Poseur : Brewed with PA wildflower honey and a whole lot of rye malt. Hopped intensely with Amarillo and Nelson Sauvin. Notes of grapefruit, pine sap, black pepper, juicy fruit, and dank stuff.
- Flux IPA : West Coast style IPA brewed with Warrior and Columbus and Cascade hops. Dark gold in color with high hop bitterness, flavor and aroma and just enough malt sweetness.
- Bright Lights and Butterfly Blades : Brewed with Miami's J Wakefield Brewing, this tribute to our two lands is a funky American-style sour ale fermented in steel with a blend of bacteria and wild yeast. We then aged upon 2lbs per gallon of NC black and bronze muscadine grapes and FL purple dragonfruit. The result is the ultimate visual experience: a bright vivid neon fuchsia effervescent exploration into tropical flavors.
- Bocktopuss : "Our last beer in our string of lager beers this summer is a richly dark bock beer. Featuring roasted malts of Munich that are typical of the style, this bock shows a caramel, chestnut character with a slight roast complexity. Lower hopping levels bring the malt flavor forward for a sweeter, richer and fuller brew. This bock was lagered for 9 weeks to promote smoothy goodness."
- Praecocia : The great philosopher Pliny the Elder referred to the early blooming peach tree as Praecocia; years later these fruit were recognized not as peaches, but apricots. We took those apricots and added them to a bold, bourbon barrel aged old-ale. The beer, rich in flavors of burnt sugar and toffee, blends seamlessly with the musky, summer-like experience that the apricots supply.
- Pinball - Blood Orange : Our popular Pinball Pale Ale is known for its perfect balance, but here at Two Brothers, we are always looking for new ways to push the boundaries of beer character so we added blood orange to ramp up the flavor profile and bring notes of citrus to pair with Pinball's big hop profile of tropical fruit. This limited edition of Pinball Pale Ale is like being on multi-ball mode! Pinball uses five different hop varieties, all of which are added at the end of the boil or as dry hops. This helps remove some of the bitterness while allowing the sweetness to come to the forefront.
- Scratch Beer 55 - 2011 (Double IPA) : With 2011 coming to a close, we are in the mood for hops! Our brewers have been filling up the hop dosers and hopback with ridiculous amounts (and blends) of hops while learning to tame our new twin brewhouses. Scratch 55-2011, a Double IPA, has the subtlety of a hop sledgehammer. Yep, there’s a nice amount of color and sweetness from a massive blend of Munich and Crystal malts, but the playmaker here is a bevy of mouth-puckering hops that create a taste bud-numbing blend of pine and grapefruit that begin in your nose and linger long after your glass is empty. Tread gently beer lovers as this high-ABV level is masked by the big hop flavor.
- Low Res : A delicate, soft, fruit-forward IPA. Made with Maris Otter, malted oats, and wheat. Hopped with Citra, Motueka, and Jarrylo. Double dry hopped with Citra and Motueka.
- Hopfenstopfen : Hopfenstopfen is an 85% white wheat hefeweizen brewed with a modified decoction mash to enhance the mild flavors of the malt. Copius dry-hopping with whole leaf hops open a big aroma of tangerine, lychee and mango that pairs beautifully with the mild lactic sourness. Pairs with creamy sauces, Vietnamese spice, fried seafood and fruity desserts.
- Hopdevil : Brewed with fresh Cascade hops from the Maple Bay Hop Farm this beer showcases the cones, using malt character only as a balance to the earthy & fruity hop character. Flavours of honeydew melon & citrus escort this extremely session-able fresh hop beer.
- Creekfestbier Lager : Traditionally brewed in March just before brewing was banned for the Summer, Märzenbiers are malty, smooth, clean, and rich lagers that have a distinctive malt backbone and complexity for a style that can be so understated. Brewed with German Munich and Pilsen malts as well as German Hallertau and Tettnanger hops, this distinctive brew is conditioned at cold lagering temperatures for five months; some things you just can’t rush. This is a true Oktoberfest offering, one that is prominently featured during our Oktoberfest celebration at the brewery, and at 5.2% ABV it’s a crisp, smooth, and easy to drink beer perfect for the chilly Fall nights ahead.
- Haller Bock Girl : We use the proper dose of Hallertauer hops in this beer, so it only makes sense to name it appropriately. A toasty, bready, nutty lager that finishes clean. Our bock is fermented at typical lager temperatures and lagered until the yeast flocculate and settle naturally. We use a healthy dose of Vienna malt with a Munich malt base and a delicate hop addition.
- Premonition : Blended Brett Saison, brewed specifically for the 2018 Reuben's & Friends Invitational. This saison was fermented with fourteen different brettanomyces, two saison strains, and a light touch of lactobacillus. Three different barrels - one with peaches, one with Pinot Noir pomance, and one with pure saison - were then combined to create a light, crisp, yet complex blend. As sessionable as a lager, yet interesting enough to entertain the tongue.
- Fated Farmer: Fruit Salad : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel-fermented in 500L puncheons with our native New England wild culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- Fall On Your Face : The boys from Ashtown Brewing, Everybody's Brewing and Backwoods got together for a pub-exclusive collaboration. Fall On Your Face is a 5.2% ale made with darker seasonal malts, fall spices and just a hint of pumpkin.
- Howl : Born of dark and cold and snow in the marrow of the northeast's longest night, Howl comes in on wailing winds with winter-weary eyes burning holes in sunless shadows. In its darkened depths our inner voids are warmed.
- Peach Wheat : An American Wheat beer brewed with malted wheat and fruit concentrate added. This beer starts sweet, but finishes with a refreshingly tart smack. It's nature's candy in my hand or can...or beer.
- Wild III : A blend of two beers with three fermentations. The first beer uses Brettanomyces Trois in primary fermentation to bring tropical fruit aromas along with a mild finishing acidity. The second beer is our house Saison fermented with Omega Yeast’s Saison hybrid strain and local honey. Secondary fermentation is achieved with Brettanomyces Claussenii to finish bone dry and bring out a subtle barnyard note with floral undertones. The final blend carries pineapple, pepper and a subtle, hay-like grassy character throughout.
- McLaughlin's Scotch Ale : The MBBCo’s Brew Team brings you another first from the brewery, McLaughlin’s Scotch Ale. Scotch Ale is the strongest style of beer traditionally brewed in Scotland. McLaughlin’s starts with four malts in meaningful proportions and the wort is scorched in our kettle to provide some of the beer’s burnt toffee and caramel-like flavors. The ale's deep and smooth character with hints of dark fruits, burnt sugars, and a slight touch of alcohol makes it a perfect winter warmer. Enjoy in a snifter and let it warm in your glass to savor its full complexity.
- OMGWTFBBQ! : OMGWTFBBQ! is a Barbecue themed experimental beer brewed with tomatoes, brown sugar, molasses, spices, and smoked hops. Hints of sweet sugar, smoke, and spice rise from this dark amber colored ale. The Initial malt sweetness is enhanced by the sugary sweet adjuncts. An abrupt transition to an obscure mouth feel, begins with a tingly smokiness and finishes with a resonating heat.
- Yankee Ingenuity : Imperial Dark Saison with Grilled Orange Aged in Bourbon Barrels 
- Sauvation Pale Ale : This is a classic Pale Ale using English Pale malted parley, but with an interesting twist. The sole hop used is New Zealand’s Nelson Sauvin, which gives the flavor and aroma of gooseberry, Sauvignon Blanc wine and tropical fruits. Hop bitterness is much less than an IPA, allowing the unique Sauvin hop flavors to be enjoyed pint after pint! 
- Inconceivable No. 1 : This single malt base beer allows the 4 different hop varieties really shine. With citrus notes from Denali to tropical fruit aromas from El Dorado, Calypso and Huell Melon. You wont know you are drinking a 54 IBU lager.
- Tropical Island : Dry, tart and fruity mixed culture ale aged in oak barrels with peaches, guava, and strawberries. We have taken a liking to using the "Isla" beer - a saison with spelt malt, as the base for blends with extraordinary amounts (literally double our normal rates) of fruit.
- Papaya Patrick Floridaweisse : Floridaweisse with papaya and starfruit.
- Green's View : A juicy, smooth, and clean-finishing beer hopped with Centennial, Simcoe, Amarillo, and Citra; then finished with a 3 LBS PER BBL dry-hop featuring Citra + Amarillo. The result is an IPA with a low perceived bitterness bursting with hop flavors, allowing the palate to discover extremely prominent notes of tropical fruit and citrus. 
- Sleepy Dog Red Rover Irish Red Ale : A sweet-tempered malty amber ale with a hint of dark-roasted malt, noble hops, and a subtle yet lovable chocolatley finish.
- Blonde Du Boss : Faite de malt québécois et anglais et de houblons tchèques et américains. Riche robe dorée, son nez floral, fruité et herbacé rappelle l’herbe fraichement coupée. Franc goût de malt, ronde en bouche et finement houblonnée.
- Shoes For Louie : Irish music has usually been the music of choice on brew days. On this particular day we decided to go a little more festive and mix it up during the creation of this winter warmer. While we tried mixing it up, the radio did not. After hearing Dominick the Donkey for the 4th time we knew it was a sign… and now our winter warmer will forever be known as "Shoes for Louie". This English Style Ale has a smooth sweet taste that lets the amber malts take center stage. In this case you might find a nuttiness, dried fruits, and molasses flavor that will make malt lovers smile.
- Personal Assistant : This hybrid ale is a part Hoppy American Pale Ale and part Belgian Golden Ale. Even the hops in this ale are hybrids. Part American and part European, lending a nice mix of floral, spice, and fruity flavors and aromas. Copper in color, this ale is simple and straight forward yet still has a subtle complexity. Light, clean, and refreshing, this ale weighs in at 6% alcohol.
- Venus (Nutter Butter) : Venus is our base milk stout with cold steeped dark grains. However… we wanted to have some fun with cookies! The base beer is almost lost in the flavor of Nutter Butter Cookies and exploding with graham cracker like notes, hints of chocolate and a sweet milk finish.
- Thai Chili Wahoo : Our Thai Chili Wahoo is a favorite in our tasting rooms for its complex balance of ingredients. Citrus and spice have long been a part of our trademark Wahoo White. In this edition, we added a dose of Thai Chilis, even more heat from ginger, and a counterpunch of lime. The flavors in this beer need to be experienced first-hand, so grab one and try it for yourself.
- Feely Effects : Inspired by Aldus Huxley's Brave New World: Grab hold of your sensory knobs and prepare for a titillating adventure into the deceivingly satisfying beer known as stout. Stereoscopic images of rich dark color and thick tan collar; breathe in the aroma of coffee & chocolate (no scent organ required), and savor the rich taste that will certainly alight all of the right facial erogenous zones.
- Occident Coast IPA : Occident refers to the Western world in contrast to the Eastern, or Orient. This IPA is based on the West Coast Style of IPAs which is heavily hopped throughout the boil and dry hopping stages. Occident Coast has a malty background of bread and toasted biscuit notes with a big hop bitterness and flavor. Generous late addition boil hops and dry hopping give this beer a grapefruit, orange zest aroma.
- I'm In Love With The Simcoe : Our only single-hop brew to date, this 6% New England IPA showcases all of the complexities of the versatile Simcoe hop. Light lemony zest with bold resinous citrus characteristics, finishing with notes of mandarin orange rind and a little bit of spice. We are in love with the Simcoe!
- Santa Rita : This is not your typical Amber beer. We’re big fans of rye, and we couldn’t pass up a chance to use it in a new way. Rye, caramel malts, and lightly roasted barley set up an interesting malt foundation for fruity and herbaceous hops. We’re also huge fans of Belgian style ales, so we threw caution to the wind and fermented it all with a clean, fruity yeast. It’s easy to drink, but it has a bit more complexity and depth than you might expect from an Amber.
- Hopulus Erectus : New recipe just for the 2017 Hob Mob Roadshow. Hopulus Erectus will make any IPA fan stand up and take notice! This bold, triple IPA puts the hops’ citrus, grapefruit and piney flavors front and center. We do this by filling our hopback with the latest harvest’s whole leaf Citra hops and then dry hopping the beer 3 times with Simcoe and Mosaic hops. Nearly 10# of hops are in each barrel of Hopulus Erectus. Hop insanity! 
- Table Saison : This saison pours hazy to clear straw in color with notes of honey and tropical fruit. Flavor has tropical fruit with a lemony bitterness and hints of clove in the finish. Sorachi Ace and Citra hops add lots of flavor to this small, sessionable beer.
- There's No Place Like There : Yes, so we brewed a double IPA. For starters its 9.5% abv, approximately 8.5 lbs/bbl of hops and I must apologize that we only have a theoretical bitterness to give you: just under 100. Our beers always test higher than theoretical but that’s all I have to go by. The hops and characteristics were CITRA (earthy, tropical fruit), CHINOOK (pine, grapefruit), EL DORADO (stone fruit, watermelon) & COMET (pungent, grapefruit) and the malt base is American 2-row, Maris Otter and a couple of German specialty malts. We performed a low temp ale fermentation for a clean profile. Juan came up with a fabulous grist for this beer and we filled in so many nooks and crannies with these hops. The beer itself is golden, neither sweet nor dry and positively loaded with lovely floral hops. Massachusetts distribution only.
- Saving Daylight: Hibiscus : Saving Daylight: Crisp, Refreshing, Citrusy. A quaffable American Wheat Ale brewed with orange and grapefruit peels. The hop back addition of whole-cone Centennial hops balances the citrus and provides a subtle yet flavorful bitterness. This complex take on a wheat ale is brewed for the days you just don’t want to end! 
- Vow Of Silence : A Belgian-style dark strong ale that showcases notes of stone fruits and raisins. Dark amber in colour with a higher carbonation to keep the beer from feeling to heavy.
- Habit : A ripe, juicy beer, Habit boasts composed bitterness tempered with resinous papaya, grapefruit, and mango. This IPA continuously delivers the forward, yet satisfying hit of hops every IPA drinker craves.
- Cerise De Michigan : Belgian-style blonde ale aged in Cabernet barrels with pediococcus and Brettanomyces Bruxellensis. Tart cherries from a farm near Traverse City, MI are added creating a secondary fermentation resulting in an ale with a brilliant red color, strong fruity nose, and complex tartness.
- FogBound Hemp Pale Ale : This American style pale ale is brewed with pale and Munich malts, American hops, and crushed hemp seeds. The result is golden coloured ale, with hints of fruitiness balanced by a nutty characteristic from the hemp seeds. Light and refreshing. 
- Bourbon Dubbel : Belgian Abbey-style strong brown ale with fruity and spicy complexity, aged in a bourbon barrel for 2 months.
- Double Betty : This bombshell drops a tropical arsenal on your palate. Coupled with citrus notes and featuring six hops, our Double IPA explodes with flavor. Galaxy and equinox round out the hop profile, delivering intensified notes of stone fruit, grape fruit, orange and lime. Surprisingly drinkable and incredibly balanced, this beer has a big, complex character that leaves a lasting impression on the palate.
- Weihenstephaner Vitus : Our light-coloured, spicy single-bock, “Vitus” is saturated with fine yeast and a creamy foam. It is a specialty with a round character based on the extra long storage time. The fruity smell of dried apricots joins aromas of citrus, cloves and hints of banana. Full-bodied and sparkling with an effervescent mouthfeel. Thus, the Vitus does not taste like a typical Bock beer but more like a noble, fruity wheat beer. Perfect with red meat, strong cheese and also able to guide desserts. Brewed according to our centuries-old brewing tradition on the Weihenstephan hill.
- Griffith J. Griffith : It's time for Griffith J Griffith to rise from the dead. Dark, massive, and rich, we used Ethiopian Yirga Cheffe Kore Kochore coffee beans from Trystero to give this beer an awesome depth of berry flavors that go perfectly with all the dark chocolate and roast.
- Something Hoppy This Way Comes : A storm is brewing and with it comes a wicked carnival of hops. The dark carnie leader’s skin is emlazoned with many a vine, including Columbus, Cascade, and Sorachi Ace. So whether you’re a Halloway or a Nightshade, you had better run, for with this carnival, Something Hoppy This Way Comes.
- Zenyatta : This session IPA is hazy in appearance and brewed with lactose for added body and a pillowy mouthfeel. Dry-hopped with Amarillo, Calypso, El Dorado, and Denali hops. Zenyatta has notes of citrus and tropical fruit that lead to a clean finish.
- Fathom : Fathom is a two year project aged in our oak foudres. It is golden in color with a clean, refreshing sour finish. It is full of complex flavor notes including oak, fruit, brettanomyces. Opus for sour lovers!
- Moon Bear : Milk stout brewed with Vietnamese dark roast coffee.
- Raspberry Blonde : This quaffable blonde ale is made with real pilsner malt and a touch of wheat to lend a beautiful golden blonde color that's easy on the eyes. A generous dose of American hops add floral and citrus character, and plenty of fresh, red raspberries add a fruity color and flavor.
- Exultation : A blend of red and blonde sour ales aged on black currants and pomegranates. These subtle fruits give a complex flavor that is both familiar and obscure without being overbearingly sweet. The beer is dry and refreshing with an assertive acidity.
- Southern Clam : A celebration of Southern flavours brewed in conjunction with Southern Clams Ltd. The beer has a dark tawny brown head and a subtle creamy roasty aroma with a hint of vanilla and ocean briny characters. Complex dark roasted characters prevail with more briny notes developing as you delve further into the pint glass.
- Lips Of Faith - Clutch Collabeeration : This pleasing, two-part, potion was brewed with chocolate and black malts for a rich and roasty overtone, then fused with a dry, substratum of sour for a bold and audacious flavor. Black as night, this beer is blended at 80% stout, 20% dark sour wood beer for a collaboration that begins with a sour edge and finishes with a big, dark malt character, lingering, sweet on your palate.
- Legion : Belgian-style quad that pours burgundy with notes of fig, spiced plum, and dark candy sugar.
- Hayride Autumn Ale : As days get shorter and sleeves get longer, Baxter Brewing releases its fall seasonal, Hayride Autumn Ale. A generous portion of two rye malts give the beer a full body, bready flavor, and subtle spiciness; while toasted malts provide a touch of sweetness and a rich, almost reddish hue. New Zealand Pacifica and Pacific Jade hops balance Hayride’s maltiness and suggest notes of oranges and tropical fruit. Finally, we cold-condition the beer on oak, with light additions of ginger, black pepper, and orange peel, bringing out the spiciness of the rye and rounding out the soft sweetness of the beer. Hayride will give a touch of warmth for those cool fall nights, while remaining deliciously drinkable.
- Patersbier : The Patersbier starts with perfumed floral hops, ripe pomme fruit, spice and candied citrus; there's a slight biscuit character on a dry, crisp finish. The monastic tradition looms large over every brewer, and this is truly a beer spirited away from a monk's table.
- Framboise Black : A blend of strong Belgian style witbiers matured in French Oak barrels with locally grown black cap raspberries. We open fermented the beer with our house blend of Belgian yeast, brettanomyces, and lactobacillus. Mysteriously purple black in color with rich jammy fruits, supporting body, and a balanced sour finish. The bottle limits are low as we lost half our the barrels to flooding this past spring.
- Golden Hare : This nontraditional Belgian blonde was brought together with a 5% wheat bill to blend the best of both worlds. Light and fruity with a clean wheat finish this mild ale is sure to please.
- Brouwer's Cafe 6th Anniversary : Imperial version of our 7-Grain Stout (minus the coffee) to help celebrate the 6th anniversary of Seattle’s famed Brouwer’s Café. The beer has a very complex roasted, fruity, brown sugar aroma and is full-bodied with flavors of roast barley, chocolate, cocoa nibs, molasses and dark fruit. It’s followed by a warming alcohol finish and lingering notes of all the aromas and flavors listed above.
- Belgian Pale Ale : Dark golden Belgian ale with spicy black pepper notes, yeast, subtle soft floral hops dry finish.
- DDH Danger! Danger! : Mystic's maiden voyage into the land of Galaxy hops is here!. We took one of our favorite beers and included 2.8 lbs per barrel of the coveted Australian superstar. What does that mean?!? Pineapple and passion fruit all up in your grill, while still preserving, perhaps enhancing, dank aromas of mango and melon. Dangerously clocking in at 8.9%
- Roundhead Red : The Irish Style Ale is a medium bodied, less hoppy cousin of the English pale ale. The style typically exhibits a malty, buttery and caramel character and has received a great deal of renewed interest. Our Irish Style Ale is a proper compliment to our Extra Special Bitter. Light red in color, it is the first adventurous step into the darker beers for a new craft beer drinker. A gentle hop profile allows the lightly sweet maltiness to come through. A beer with a nice round mouth feel, it is a great choice for the red wine drinker.
- Story Of The Ghost : Mysteriously brewed by ghostly bones under the pale gaze of a full moon, this spectral ale was left for our brewers to wonder over the following morn. Its ancient brewmaster tells a hoppy tale of tropical fruit and citrus, complemented by the subtle essence of floral, herbal, and pine notes.
- Chocolate Dipped Biscotti : Brewer's Series, Specialty Amber Ale, Batch No. 2273, 23 IBU, Sweet Flavors of Biscuits and Vanilla, Malty, Nutty, Hints of Chocolate, Subtle hop character.
- Junior IPA : A little guy with showy aromatics and full flavor. The combination of bihempispherical dry-hopping and yeast profile create a juicy stonefruit essence. Essentially, this beer squeezes elements of a DIPA into a slimmer package. 
- Saison : Saison is a simply titled beer because of its classic profile. Made with an alternate yeast from the Dupont brewery, the recipe features a flavorful Czech pilsener malt and moderate hopping from liberty, santiam, and columbia hops. The yeast strain, much different than our house blend, yields a juicy and tropical flavor with contrasting spicy notes, but that character is well balanced with the malt and hop profile in comparison with many examples that lean heavily fruity.
- Father Christmas : 10% Belgian inspired Dark Ale with Holiday Spices.
- Scratch Beer 210 - 2015 (Fresh Hop Ale) : 450lbs. of wet Mosaic hops inject intense olfactory hues of overripe mango, bright citrus fruit, and resinous pine sap into this succulent Fresh Hop Ale.
- Weather 3: Black IPA : The third beer being released in our WEATHER series is a Black IPA. This WEATHER forecast is calling for dark skies full of dankness. Rakau, Mosaic, Chinook, and Columbus are the stars in this dark sky.
- Afoot & Light Hearted : Farmhouse Ale with Buddah’s Hand Fruit. (Buddha’s hand is an Asian pithy citrus fruit with finger-like sections)
- Why Laugh When You Can Cry? : Why Laugh When You Can Cry? is a Very Sad Double IPA brewed with a touch of malted oats, and a heap of Australian Galaxy hops. Dry hopped with a silly amount of Mosaic and Galaxy. Why? Notes of drippy mango, peach pie, key lime, ruby red grapefruit, and lychee.
- Red Swingline IPA Primitif : A wild and sour session IPA. Brewed with three heavily fruity hops, coriander, and tangerine zest the profile is definitely American in focus. Aged in French Oak Chardonnay barrels with souring Lactobacillus, funky Brettanomyces yeast, and dry-hopped in each individual barrel. This beer is a definite wow moment. 
- Drone, Thugs-N-Harmony : Berliner brewed with passionfruit & hibiscus.
- Cubano B : Big, bold imperial stout with a light smoke complexity. Infused with an absurd amount of locally roasted Cuban coffee. Truly a match made in heaven.
- Single Speed Pale: Vic Secret : Australian Vic Secret hops lend delicate flavors of tropical fruit to our base pale ale.
- Scoopshot IPA : Our take on the milkshake IPA except we skipped the lactose (you are welcome, our lactose intolerant friends.) But this thing still tastes like it has a scoop of ice cream in it, with a healthy dose of pineapple and vanilla, to complement the fruity hops and yeast. Look for this one to be a new regular occurrence on our menu!
- Autumn Winds : This Oktoberfest-style ale, brewed with five premium German malts, create a bready aroma, dense creamy head and brilliant garnet red color. Hallertau and Saaz hops compliment the nutty and biscuit-like malt presence while a touch of caramel and moderately dry finish continue to balance out this full-bodied beer.
- Irish Red With Coffee : Coffee Infused Irish Red - The name says it all, it’s a beer with a hint of a coffee pick me up. We started with an Irish Red Ale and paired it with specially selected coffee from local sensation Limelight Coffee Roasters. The combination gives you beautiful dark chocolate & coffee hints on the nose, before the two elements dance together on the palate to give you equal parts beer and coffee. This is Round Town Brewery’s all day, every day, YEAR ROUND coffee beer!
- Attack Of The Devil's Lettuce : Brewed in collaboration with 18th Street Brewery, Gary, IN and Dark Matter Coffee, Chicago, IL, featuring Sorachi Ace hops and Devil's Lettuce blend coffee.
- Nut Brown Ale : Malts: Specialty 2-Row, Carapils, Dark Crystal, Chocolate, CaraMunich 60, Kiln Amber
- R&D Champ Du Blanc : Our Champ du Blanc is a blend of aged sour blonde ale and Chardonnay grapes. Spontaneously fermented in our Wildfruit Cave through the cool winters of 2015 and 2016.
- Lucy Session Sour : This sessionable Pale Ale is light in body with lots of tropical, lemony and stone fruit flavors and aromas, balanced and washed away with a palatable tartness from the Lactobacillus Kettle Sour."
- TWIST AND SHOUT! APPLE BRANDY STOUT : This Irish stout is extremely smooth and full-bodied, and was aged in an apple brandy barrel from Yahara Bay Distillery. This beer is unique in its apple-sweetness! Enjoy the pleasures of its complexity, especially when consumed at warmer-than-your-refrigerator.
- Hopulent IPA : Hopulent IPA is a big beer with lots of complex malt flavor and excessive hops. This beer will have changes to the grain bill and seasonal hop changes. The character of Hopulent IPA is over the top, too much of everything—a real HOP HEADS DELIGHT!
- Snowblower Winter Ale : Sorry, but yes, we caught the Gingerbread Man and threw him in this Dark Belgian-style Specialty Ale with chocolate/toasty maltiness and spiced with ginger, nutmeg and cinnamon. Don't be sad, the Gingerbread Man was annoying anyway...now you can sit back and enjoy your Christmas.
- Double Milkshake IPA - Raspberry : Double Raspberry Milkshake IPA is our most recent, amplified, and far out riff on our boundary-pushing Culinary IPA series. Brewed with heavy amounts of luscious malted oats and lactose sugar. Conditioned atop a tremendous helping of raspberry purée, twice the amount of fruit we normally use, and Madagascar vanilla beans. Dreamt up with our main dudes at Omnipollo.
- Wide Rainbows : If you have tried Wicked Juicy and Crush Problems, you may have noticed a similarity between the two. The connection is a special yeast that gives off fruity aromas (called esters) during fermentation. Wide Rainbows is the third beer in the series. The hops (Amarillo, Centennial, Riwaka and Nelson Sauvin) bring some dank, lychee and citrus that play off those esters well. Come and get it! 
- Short's Dock Sitting : Dock Sitting is an India Pale Ale brewed with Citra, Mosaic, and Azacca hops and fermented with Vermont Ale Yeast. The beer is bright with a golden hue and has aromas of mango, pineapple, and guava. This medium-bodied IPA has flavors of tropical fruit and a bitter finish.
- #25 Citra Extra Pale Ale : Citrus zest, tropical fruit, balanced.
- The Grasscutter : Lawnmower Ale, more of a term than a style, ours is fermented on 2 different toasts of French oak, with subtle aroma of peach, pear and complementing subtle vinous notes. Palate is pleasantly drying with continuing hop and oak complexity.
- Milk of the Gods (Pink Guava and Peaches) : Milk of the gods series focuses on combining a perfect combination of hop flavor and pairing it with loads of fruit. Top the whole thing off with lactose and a kiss of vanilla beans, and you have a milkshake that will bring them all. This version is on peaches and pink guava! Bursting with fruit flavor these hops complement the smooth pink guava and bright peach flavors. Vanilla and lactose help round out.
- Horadric Red Ale : Horadric Red Ale is a Bourbon Barrel Aged Red, worthy of any mortal who's ever hunted a soulstone. Aromas of sweet caramel malt, soft vanilla and mild coconut herald rich caramel flavor with gleaming notes of dark fruit.
- Imperial Cherry Marion Bu : A blend of wine barrels containing our Imperial Berliner base, refermented with Oregon Montmorency Cherries and Marionberries. Big fruit character from the berries, with a balancing spiciness from the tart cherries. Very decadent.
- Barrio Oatmeal Stout : It’s a gigantic ale with two row, chocolate, Munich, special roast, black barley, black malt, roasted barley and crystal malts topped off with more than 100 pounds of oatmeal for a creamy smooth dark beer experience. Hopped just enough to balance the sweetness of the malt, we call this the breakfast beer of champions.
- Scratch Beer 130 - 2014 (Centennial IPA) : Over the years, some of the most popular Scratch Beer releases have been IPAs. Due to its popularity among craft beer drinkers, the IPA (India Pale Ale) has become the quintessential style of the American craft beer movement. To achieve a clean, bitter finish with a bold grapefruit note, we brewed this latest Scratch IPA exclusively with Centennial hops. Because of their assertive citrus aroma, Centennial hops are sometimes referred to as “Super Cascades.” The use of lighter malt varieties lends a hint of balancing sweetness, allowing the zesty citrus character of the hops to shine through. Everybody loves a good IPA, and here at Tröegs, we’re no different. You keep drinking them, and we’ll keep brewing them!
- Single Batch Series - 2012 Grand Crüe : Sebago Brewing Company Grand Crüe is a celebration of the art of brewing. Our 2012 edition is a blend of four distinct beers: barrel-aged Slick Nick Winter Ale and barrel-aged Midnight Porter, fresh Lake Trout Stout and Barleywine. Each beer adds its own complexity to the mix, from the vanilla and oak notes of the two bourbon barrel beers, to the roasted malt of fresh Stout and the chocolate, toffee-like notes of our Barleywine. The result is an intensely aromatic and malty beer with a surprising hop bitterness and a dry finish. Celebrate the holidays with a glass of this exclusive single-batch offering.
- Dark Helmet : Dark Helmet is a German-style black lager (or Schwarzbier) brewed with 10% malted rye. Chocolate and Carafa malts give this beer its dark color and ludicrously smooth, roasty flavor. May the Schwarz be with you!
- Douglas : Named after the Douglas Fir, native to the Pacific Northwest, this Cascadian Dark Ale is brewed to impart a big punch of hops while maintaining the qualities of a dark ale. Chocolate and toasted marshmallow malt character lay the foundation to stand up to the big piney, resiny, citrus hop character. Defined, on both malt and hop character, a perfect treat to tantalize the palate.
- Salty Dog : Brewed with grapefruit
- Supreme Clientele (2016) : 2016 Extended Family (members) Blend. Troy's first multi-fruit Casey Family Preserves blend. 50% Stella Cherries, 33% Triple Crown Blackberries, and 17% Raspberries.
- Buckwheat After Dark (BAD) Ale : This Dunkelweizen is overlaid with chocolaty flavors and fruity aromas, a beer that's so good it redefines the word bad. That's right...BAD is good!
- Pay No Attention To This IPA : The Commons' first can beer. Collab w/ Grains of Wrath. Bright American IPA bursting with intense pineapple, tropical fruit and citrus hop notes from Vic Secret, Denali, Citra, and Waimea hops.
- Bourbon Barrel-Aged Abbot : Bourbon Barrel-Aged Version of this Belgian Dark Strong Style Ale. Made with Pilsner, Vienna, Abbey, Aromatic, Special B, Perla Negra malts, and Belgian Candi Sugar gives this brew a rich malt character and unique sweetness. The Candi Sugar and Special B malt lend raisin and plum flavors and a deep amber color. Styrian Goldings hop gives a little balance and a noble spiciness, but little to no hop bitterness. The use of a Belgian Yeast Strain, at slightly higher fermentation temperatures, adds estery, alcoholic, and spicy character. Complex, rich, smooth, and dangerous. Our first ever beer from the family of Belgian beers.
- Singing Loudly : Dark sour and red sour blend aged in Oak barrels with cinnamon, clove, nutmeg and vanilla bean.
- Tangelo Bodhi : Tangelo Bodhi – blended with the fruit and zest of fresh tangelo.
- Sidecar Orange Pale Ale : This beer has a pop of bright orange flavor that emphasizes the natural citrus-heavy character of Cascade, Equinox and Mandarina hops. Brewed with orange peel added directly to the kettle, and all the classic hop flavor you'd come to expect from our all-new take on the hop-forward fruit beer.
- Square Feet Wheat Dunkelweizen : Square Feet Wheat for Fall/Winter has been released to the masses. This is a dunkelweizen of distinction. Fermented with a weizen yeast strain from the Andechs Brewery in Germany, Square Feet Wheat Dunkelweizen bears a taste of clove along with some fruity esters that include apples and pears. Heartier than a mere hefeweizen, this dunkelweizen is the perfect match for the Fall and Winter seasons as it boasts a 5.5% ABV and flavors that will complement holiday meals and desserts.
- Fourteen - DDH Pale Ale : Formerly known as Demo Tape Fourteen, we are thrilled to move this beer into the regular rotation! This pale ale features Australian Ella and Vic Secret hops which lend a nice tropical fruit aroma and character. Super drinkable with a light, fluffy mouthfeel thanks to Valley Malt Flaked Barley and Warthog Wheat.
- Saint Arnold Divine Reserve #18 : Diving into darkness, you can gain insight into your potential. Allow the absence of light, and truly find what it means to have it. This approach was taken when designing Divine Reserve No. 18.
- Charismatic Gorilla IPA : Big fruity, citrus, spicy hop flavor, slight malt backbone.
- Embrace The Funk - FunkFest '17 : A blend of Brown and Dark sour ales aged in Rye Bourbon, Sherry and Port barrels with Boysenberries, Raspberries and Cherries.
- Passion Aggressive Milkshake IPA : Milkshake IPA with passion fruit.
- Schlafly Weizenbock : Schnucks and Schlafly Beer invite you to try this third release in our Culinaria collaboration series, Weizenbock. This bold, unfiltered wheat beer is loaded with fruity and spicy characters. Brewed with a large amount of Wheat malt, along with a good dose of Munich and caramel malts, this beer has a rich, dark brown appearance and a spicy flavor. The German Weizen yeast enhances the distinct profile of this beer, which gives it half its name; the other half is from its alcohol content which is more similar to a Bock than a Dunkelweizen, its nearest cousin.
- Rail Hopper IPA : Seven different hop varieties were used in this brew, it screams out loud "American Hops!" on the nose due to intense dry hopping, citrus and tropical fruits followed by a bitter and very dry finish.
- Hey Girl : Kettle sour red ale with passion fruit
- Double Shot - Elias Benata Sundried : We’re excited to release the latest edition of our favorite stout with a tremendous sundried organic coffee from Elias Benata - roasted by Counter Culture. This lot is absolutely gorgeous, with intense flavors of dark chocolate and nougat accompanied by a soft and velvety mouthfeel. As it warms it reveals complexity, offering notes of brown sugar, cocoa powder, and vanilla. A marvelous and unique contribution! A luscious, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike! This series continues to be a joy for us to brew, and - we hope - for you to enjoy!
- Tank 7 Farmhouse Ale : Most breweries have at least one piece of equipment that’s just a bit persnickity. Here at Boulevard we have fermenter number seven, the black sheep of our cellar family. Ironically, when our brewers were experimenting with variations on a traditional Belgian-style farmhouse ale, the perfect combination of elements came together in that very vessel. You could call it fate, but they called it Tank 7, and so it is. Beginning with a big surge of fruity aromatics and grapefruit-hoppy notes, the flavor of this complex, straw-colored ale tapers off to a peppery, dry finish.
- Carpe Brewem Barrel Aged Mochachino Milk Stout : Aged in bourbon barrels, this rich, strong milk stout features roasted goodness coupled with the flavors of dark roast coffee and chocolate. There’s a coffee house in every sip! Pairs perfectly with chocolate or vanilla desserts, roast beef and spicy dishes.
- Tomorrow Who's Gonna Fuss? : YOU MIGHT EXPECT a giant of a brew like this one to trash your palate like a band might a hotel room at 3am. But no, this IIIPA is smooth, soft and downright finessed (even at 155 IBUs!). Stone fruit / tropical / dank and even bright citrus make their presence known over a clean malt canvas. It’s what you’d be drinking up in First Class.
- Tornado Alley Amber Ale : American amber ale, with a rich red hue. Made with American variety hops used to produce a medium-high hop bitterness, flavor, and aroma. The hops help to balance the malty caramel character. With a medium-full body, this ale has subtle fruity aromas and flavors sure to please any beer lovers palate!
- Hop Swap - 2015 : This year’s Hop Swap has bold notes of orchard fruits, appricot, citrus, lemongrass and resinous pine needle, which round out the clean and dry finish.
- St. Bretta Citrus Saison : Paying homage to our favorite yeast, St. Bretta is fermented with our house mixed-culture of Brettanomyces. From its historic significance in old-world beers to this, the new age of Brett, we embrace this yeast as a focal point in our artisan brewery. A re-imagination of early farmhouse saisons brewed in Europe, St. Bretta combines fresh citrus characteristics with yeast-driven tropical fruit flavors and aromas. Unfiltered and naturally wild, we package each can with a small amount of yeast to maintain maximum freshness for wherever life's adventures take you.
- Pier American Wheat Ale : Brewed with 30% wheat, this hoppy, golden American ale features Galaxy and Citra in the dry hop. Bright aromatics of overripe peach, orange rind, and green, herbal hops flood the nose while balanced flavors of tropical fruit, citrus, and creamy wheat excite the palate. Refreshingly light bodied with a soft, fluffy mouthfeel, Pier finishes dry with a slightly mineral bitterness. 
- Aura: Cherry & Nectarine : A perfect sour ale to indulge in the summer heat, Aura fruited with cherry and nectarine is well-balanced with a sturdy, but not overbearing tartness. Light amber in color and tinted with scarlet hues, this sour ale sits with a brilliant white head. The combination of its crackery pilsner malt and cherry notes combine to create tart cherry pie aromas. this run of Aura is clean, crisp and refreshing with a light, subtle sweetness that is aided by its dry finish.
- Hopocolypse Meow : Hopocolypse Meow features big tropical hops that explode over a crisp malt base that’ll be sure to have every hoppy beer lover purring. The beer pours a hazy, fiery orange with a thin, white foam cap. Aromas of tropical candied fruit and melon mingle with delicate fruity esters. Medium bodied and very resinous, the fine but intense bitterness will ambush your palate and terminate your taste buds with extreme prejudice.
- Obscurite : A complex black stout brewed with Belgian candy sugar. Delicate chocolate aromatics cascade into coffee, dark fruit and vanilla flavors.
- Rubescent Zhaftig Ghastly Blood Stout : Have you ever looked at something that you were going to eat or drink and it tastes nothing what it looks like? Well we made a beer that we think is sure to bend some minds. A 10.5% "Blood" Stout is what we came up with. Bright red in color this beer begs you to think you are getting into some sort of fruit beer with lots of red raspberries or cherries and things like that, but don't let your eyes deceive you because this is a stout! Aromas of roasted coffee and chocolate hit the nose for the first deception which is followed by a full bodied and rich tasting stout qualities. As the bigger version of our pale stout we figured why not make it "Blood" red just for one more layer of how and why to add to this family of beers. Have fun figuring this one out...10.5% ABV, 24.4 IBU.
- Cocomilia Robur Brett Plum Cream Ale : For 9 months, our house Cream Ale received a secondary fruited fermentation in French oak to deliver a spicy, complex soured experience. The resulting Brettanomyces barrel-aged beauty abounds with a bready, honey sweetness and crisp apples.
- Passion Fruit Prussia : The Passion Fruit Prussia is our non-traditional look at the classic Berliner Weisse style. Brewed with a generous amount of passion fruit, this beer pours golden in color with a nice tart finish. A perfect compliment to the summer heat.
- Transilience : We brewed up this German-style sour wheat to help us transition in the Atlanta market. Lactobacillus and saccharomyces create this light, acidic, and tart summer heat quencher. Fresh mango and pomegranate add delicate fruit flavors to the unusually high gravity Berliner Weisse. Transilience’s crips and dry finish prove perfect for all of your long strange trips and will undoubtedly leave you wanting more.
- Mang Boy Tastee : Tastees are kettle sour ales clocking in at 5.5%. We added a ton of lactose to these and brew them intentionally to be fuller bodied to try and replicate a fruit smoothie. We then select two different fruits and bomb them out in secondary fermentation at just shy of double fruited goses levels of fruit. For the second fruit blend in this series, we decided to use Mango and Boysenberry.
- Drunken Vigils Breakfast Stout : Drunken Vigils awakens the palate with a hint of porridge from oats and traditional floor malted grains. Caramel and roasted malts with Ecuadorian Cacao create rich notes of nougat and bitter dark chocolate. Locally roasted java from Cactus Creek Coffee completes an array of breakfast nostalgia. Bourbon and Monastery yeast compliment with decadent caramel and dark stone fruit flavors. Barrel staves also impart a warming whiskey character. Drunken Vigils is the perfect morning libation while on the front porch awaiting spring.
- Sweet Dance Moves : This IPA features Citra, Mosaic, Amarillo, and Lemon Drop hops. The citrus and tropical fruit notes will dance on your tongue.
- Paper Tiger : This unfiltered Pilsner features Weyermann Pilsner malt, a northern European lager yeast and an ample Sterling + Nelson Sauvin dry hop. Crisp, with fresh, fruity and floral aromatics and a clean, hoppy finish. Simple and delicious. 
- Redband Stout : Cold pressed Redband Coffee Company espresso beans infused into our milk stout. A big stout where a dark rich chocolate milk meets premium cold pressed coffee.
- Tropical Burn : Feel the tropics and enjoy the burn! This high-gravity Double IPA is loaded with hoppy and citrus flavors. The nose begins with sweet and fruity mango, pineapple and grapefruit aromas, accompanied by a slight tang of alcohol. The initial sweet citrus flavors slowly blend into a dry and lingering hoppy bitterness. Australian Galaxy and Citra hops are dominant and balance well with the large addition of fresh mangos. This beer will have you dreaming of a sunny tropical beach with time to kill!
- The Explicit DahlCraft American Pale Ale : The Steve Dahl Show and Haymarket Pub & Brewery present the show’s first ever original beer. The show’s own Jim Ruffato created this recipe and brewed it with our Brewmaster/Owner, Pete Crowley. This APA is floral and citrusy with hints of mango and grapefruit. It is dry-hopped with Cascade, Centennial and Warrior for a huge hop aroma. To learn more about the Steve Dahl show and to subscribe visit www.dahl.com.
- Athletic Susan : For this beer we took a farmhouse wheat beer and racked it into barrels that previously held Lazier Susan (racked the beer out but left the fruit behind). This beer is essentially a second pass through Masumoto Farms organic peaches and nectarines. We fermented it using our house mixed culture of yeast and bacteria (Lactobacillus, Pediococcus, Saccharomyces, and lots of Brettanomyces). We ended up with a really cool and completely different expression of the fruit. Athletic Susan has great fermentation funkiness, quenching acidity, and bright stonefruit character.
- Two For The Seesaw : Malty, Toasty, Plum. This Belgian style Dubbel features a complex, rich malty sweetness with hints of toffee, toast, and dark fruits such as raisins and plums. Named after a 1960’s romance-drama film directed by Robert Wise.
- The Añejo Otter : This kettle-soured American gose was aged for months in tequila barrels to impart a deep agave character reminiscent of port wine, strawberries, and peaches. Hints of lime and coriander combine with mild funkiness and a touch of oak to give this tart, golden ale a surprisingly complex character.
- Sunburst Kolsch : Clean, crisp, delicately-balanced beer with a subtle fruit and hop character. 
- Enlightenment Black The RIPA : Black the RIPA is a Black Rye India Pale Ale [you see what we did there…] style ale. We brew it using a goodly amount of Canterbury pale ale malt as a base to which we add a blend of speciality barley malts. We then ‘Rye it up’ with malted Rye and a selection of exotic Rye speciality malts to yield a beer with great depth, body, and subtle unique flavours. To ‘Blacken’ it we incorporate a special chocolate malt, which is de-husked so it imparts the dark hue without any of the associated burnt and acrid notes of a stout or porter.
- S'tart : S’Tart launches Barrel of Monks into the the fascinating world of Belgian - style sour beers. This beer is made with the finest European malt and hops, soured with lactobacillus, then fermented with a Belgian yeast strain that adds fruity character. Our brewers strived to find a balance between a pleasant tartness and malt sweetness, achieving complex fruit flavors and aromas such as apricot and tart peaches without the addition of fruit.
- Hazy Jane : An all-out New England Patriot of a beer. Brace yourself for a full-tilt fruit hit. Pineapple, mango, stone-fruit, and a hint of lime head for the State-line. Brewed with oats and wheat and left unfiltered for a smoother ride. Fall for the East-Coast crush.
- The Defender : The Defender is constantly vigilant, standing guard over all those who dare to create, to dream, and to drink great beer. This bright, juicy, West Coast-style IPA takes on a reddish twist from a dash of roasted malt. Bold, fruity hop bitterness and an intensely resinous nose lead the way into a dry finish that blazes the trail for your next sip.
- Let 'er Run Espresso Stout : Dark, creamy, and deliciously smooth - with the perfect hint of rich espresso.
- Anabasis : Anabasis is our barleywine that was brewed with American malt and hops, but fermented with a strong English Ale strain to provide rich toffees, fruity hops, with a strong leathery, caramel backbone. Bourbon, vanilla and gentle oxidation showcase the 24 months of bourbon barrel aging that Anabasis went through to reach maturity.
- Butcher Porter : Rocks Porter is based on a traditional Robust Porter but with a twist from the norm. The beer pours with a tan head and appears jet black. Made with ale and crystal malt, the beer departs from the norm by using chocolate malt to darken and flavour the beer and flaked oats to give a silky smoothness and stiff beer foam. The chocolate and crystal malts give a rich complex malt flavour and balance to the beer. Our interpretation of this beer is a bit different than most, but still pays homage to the great Porter beer style.
- Grapefruit IPA : India Pale Ale infused with grapefruit that results in a citrusy floral flavor.
- Greatest Teachable Moments : Dark Lord aged in an American brandy barrel with verbena, ginger + orange peel
- Dirtier Bird : Doppelbock aged in new, dark oak whiskey barrels from Koval Distilleries in Chicago. Some residual whiskey is noticeable along with notes of wood.
- Brewed Anonymously : We created a big, fruity and spicy saison and decided we wanted to do something interesting with it. Our friends from Black Sheep Coffee and Misfit Roasters helped us pick an Ethopian Kore coffee bean to add some roast, cherry and apricot notes. It's a unique beer that you need to try for yourself.
- Barrel Aged Imperial Otis : For our very limited release Imperial Otis, we souped up our oatmeal stout recipe and aged it in Willet Bourbon barrels for four months. We then blended it with a small amount of un-oaked Imperial Otis to find balance. It pours black with an extra-dark brown head and is 10.3% ABV.
- The Fix : A smooth & complexly-malted American Brown Ale. Finished in cask with 5 oz. Thesis Coffee, the House Blend Roast from Ceremony Coffee Roasters out of Annapolis, MD, & 3 oz. fresh vanilla beans.
- Kreklingøl : Made with lots of Crow berry, a fairly rear small dark
- Brewer's Reserve White : A Belgian-style wheat ale, this beer is brewed with coriander and orange, lemon, and grapefruit peel, to give off a variety of citrus notes. This hazy wheat ale is fermented with a Belgian yeast which adds some hints of bubblegum.
- Red Rock Le Quatre Saison : Originating in the farmhouses of Wallonia in the French speaking region of Belgium, Saison (French, "season") was brewed for field workers during the harvest season. Red Rock is proud to present a modern version of this once endangered style of beer. Moderately hopped, this refreshing ale boasts a complex style of fruity aroma and flavor, some spiciness and a hint of tartness.
- Son Of Daniel : Deriving from our beloved Daniel's Double IPA, this IPA smells like a hopyard at harvest time with notes of passion fruit and citrus. An initial malt sweetness gives way quickly to a residous, lingering bitterness that reminds you of the strong lineage of this ale.
- Oppigårds Indian Tribute : Malt: Pale Ale, Caramel (pale and dark)
- Heredity : This beer is a blend of five different barrels. Two fresh Coppercraft bourbon barrels filled with golden sour base, two 2nd use Coppercraft bourbon barrels filled with golden sour, and one neutral charred oak barrel filled with dark sour base. After blending, we added an absurd amount of blackberry concentrate.
- Streetcar Stout : Dark & rich with flavors of roasted cocoa, dark chocolate, and caramel. Big flavor with a smooth finish.
- The Newburgh Conspiracy : Victory in 1783 brought great joy throughout the colonies, but there were also dark times ahead. Tired & angry Officers of the Continental Army grew restless as they awaited their hard-earned wages from our new Congress. A planned revolt was quashed by General George Washington, right here in Newburgh. This event became known as “The Newburgh Conspiracy”. That dark moment in Newburgh history inspired the naming of our Russian Imperial Stout. “The Newburgh Conspiracy” is as dark as the hearts of those erstwhile conspirators. Made from only the first runnings of 2 separate brews, it is extremely rich, high ABV, yet smooth and drinkable. Hints of licorice and dried fruits are evident from the enormous amount of roasted malts. The high alcohol is warming without overpowering, making this a tasty treat for the cold winter ahead. And at 11% abv, a pint or two of this would’ve surely put those angry officers at ease.
- Billy Branch Brown : “Billy Branch Brown” is a beer hybrid that is 2/3 brown ale and 1/3 cider. Like a darker, more malty, tart cider, this beer is sure to challenge what you think a beer “should” be. I dare you to try it!
- 92 : “92” (Oak was hacked) is an homage to the Chicago Bulls second championship. We used Red-X malt to give this piney grapefruit APA a nice malty and nutty balance. Much like his Airness and Pip, Chinook and Cascade are the stars of this refreshing APA.
- Orange Muscat Lineage Rye : Our series of New England saisons continues with Orange Muscat Lineage Rye, a wild ale featuring Valley Danko rye. This Polish rye grain provides a soft earth and spice malt backbone to compliment the complex characteristics derived from aging in oak barrels with our native New England mixed culture and well aged hops. The Orange Muscat version of Lineage Rye has a light straw hue and engaging floral and vinous aromatics on the nose with a hint of kiwi and mild Brett-derived farmhouse funk. The palate develops the nose further, emerging with orange zest, young white wine and a suggestion of honeysuckle nectar. Mature, soft oak melds with a faint rye spice on the finish with a refreshing light acidity and a zippy, tight carbonation.
- Triple Double : New England-style TRIPLE dry-hopped DOUBLE IPA brewed with Citra, Mosaic and Simcoe hops. We pulled out all the stops for the last beer in our March Madness series, using nearly 14 lbs of hops per bbl, lending huge notes of ripe mango, sweet red grapefruit and juicy tangelos.
- Scratch Beer 96 - 2013 (Porter) : Scratch #96 is the second release in our Scratch Beer series to utilize an experimental hop variety in its recipe. We brewed this robust porter exclusively with a new hop known only by the numeric sequence “06300.” The prominent earthy attributes of this unique hop work nicely with the darker malts used to create this latest Scratch creation. The result is a smooth, mellow mouthfeel with an intriguing minty finish ensconced in plenty of roasted malt splendor.
- Berliner Weisse - Tart Cherry : Michael Jackson describes “Berlin White Beer” as having an “insistent sparkle, a fragrant fruitiness in the nose, a sharp, dry palate, and a frisson of quenching, sour acidity in the finish.” North Coast Tart Cherry Berliner Weisse is made with the juice of Michigan Montmorency cherries, whose addition softens the lactic finish of the beer and gives it a springtime blush. 
- Worktruck Wheat : Traditionally this beer can be served with a slice of lemon. This adds a bit of citrus note that compliments the fruitiness. No fruit is added. All of the flavors come from a unique yeast strain from Bavaria. The esters are produced during fermentation.
- Dubbel Trouble : A deep reddish, moderately strong, malty, complex Belgian Dubbel ale. It is a big beer without being overpowering your palette.
- Double Raspberry Lineage Wheat : The latest edition of our New England Wild Saison series features a double dose of raspberry and a generous amount of local wheat from Valley Malt in Hadley, Massachusetts. The beautiful red hue gives way to aromas of fresh raspberries, dark cherries, and a touch of funk from our Native New England mixed culture. The amplified quantity of fruit we used in the process intensifies the notes of raspberry jam and tart cranberry that highlight the single raspberry version of this beer. Slight floral character and a light, drinkable body give Double Raspberry Lineage Wheat added nuance and approachability. 
- Enchantment : Inspired by the art of vintage ale blending found in the Flanders region, Belgium. Enchantment is blend of oud bruins (old browns); 6-33 months matured in first and second use American oak bourbon barrels. Brewed into our open fermenter with a custom mix of brewer’s yeast, brettanomyces, and acid producing bacteria. This blend is a selection of five barrels from the program. Enchantment pours dark brown with magenta highlights and a fleeting off white head. The aroma and flavor show hints of cocoa, dried fruits, black cherries, oak and tobacco. Balanced acidity provides a vinous and refreshing finish.
- Black Hop Down : NXNW partnered with Alamo Drafthouse and Uncle Billy’s to make this bold Cascadian Dark Ale with notes roast coffee and a spicy hop character.
- Askianos : If you think that black beer is heavy and high in alcohol volume, thus not of your taste, our Porter is about to change your mind. Askianos is a delicate beer with intense notes of chocolate & coffee. Pair it with vanilla ice cream, dark chocolate or grilled meat.
- La Piste Escargot : A Belgian IPA, fermented with a traditional Belgian yeast strain, and heavily dry-hopped with American hops. The result is a unique balance of piney, resiny hop notes and fruity yeast aromatics. Very pale in color this beer finishes dry and is deceptively strong at 7% abv. This specialty is a collaboration between Cory Buenning and Rob Denton.
- Kuhnhenn Bock : This is a traditional German is dark, strong, and quite malty. Lots of malt on the nose and in the body of this lager.
- Beer Camp Across The World: Hoppy Belgian-Style Golden Ale : Belgium's Duvel are the masters of the golden ale-a beer style they helped create-so it was a natural fit for our breweries to combine the style with Sierra Nevada's hop-forward fanaticism. The resulting beer is bright golden and brimming with hop flavor with a pop of bright lemon, and perfectly accented by the fruity and complex character of Duvel's signature yeast.
- Double Dry Hopped Congress Street : This amplified version of Congress Street IPA is a focused exhibition of the Galaxy Hop. Milky and yellow-orange in appearance, Double Dry Hopped Congress Street emits fragrant aromatics of mango, pine resin, grapefruit, pineapple, and peach. Explosive flavors of tropical fruit, grassy hop, nectarine, orange rind, and creamy malt inundate the palate with a thick, rich mouthfeel and soft, effervescent carbonation. The finish is full and oily, yet clean, with a light, modest bitterness.
- Save The Date : Save the Date is a dry hopped American Sour Ale brewed with Montmorency cherries from King Orchards and pomegranate. Slightly hazy and pink in color, Save the Date smells of tart cherry and pomegranate. Upon first sip, this American Sour Ale has big flavors of tart, mouth-puckering fruit. Light in body, Save the Date has a dry and tart finish.
- St. Klippenstein : At the brewery, we celebrate St. Klippenstein day to commemorate our love of free ham, pot lucks, and strong stouts. In honor, we brewed this Belgian-style strong stout aged in bourbon barrels. Rich cocoa brown in color, the first sip of this beer opens with a complex chocolate and roasted aroma. Notes of vanilla, coconut and oak infuse the palate and lead to a smooth, warm finish. 
- Uncommon Crow : Inspired by the common American crow and its love for feasting on blackberries, Uncommon Crow is deep and dark in color like its namesake. Aromas of dark chocolate and cherries bloom into big blackberry flavors and a slightly tart finish.
- Reveal (Passion Fruit Double IPA) : BeerAdvocate and New Belgium collaboration for Todd & Candice Alström's Reveal Party at the Falling Rock Tap House in Denver, Colorado on June 30, 2015. A Double IPA brewed with passion fruit juice, aronia and hibiscus. Single batch. 7.8%.
- Double Milkshake IPA - Apricot Chamomile : Apricot Chamomile Double Milkshake IPA is our latest plugged in heavily amplified psychedelic riff on THE boundary-pushing Culinary IPA series that we created with our psycho siblings at @omnipollo over three years ago! Brewed with gobs of oats and lactose sugar. Conditioned atop an abundance of luscious Madagascar vanilla beans, ripe and drippy apricot purée and fresh chamomile flowers. Intensely hopped and then double dry hopped with Mosaic and Citra.=) Life affirming notes of tangelo sorbetto, juicyfruit, vanilla and marshmallow sundae, spring flowers and blueberry parfait.
- Freestone : This bottle-conditioned sour ale was brewed without hops and fermented with our mixed house culture before resting in barrels with wild yeast and bacteria for 6 months. The beer was then blended and refermented on Southern Illinois-grown freestone peaches before being bottled. This beer has a beautifully subtle fruit character and sourness; the yeast and bacteria combine with the peaches to create a delicate honeysuckle-like aroma with a lightly tart finish and a touch of oak.
- Crux Pilz : This is not your father's Pilsner. It's more like the Pilsner that belonged to his stern father, the one with all the rules but who gave you treats whenever your parents weren't looking. Brewed with traditional Pilsner Malts, imported Czech Saaz and local Oregon Sterling hops, this Pilsner's first sip shows up with clean lager flavors, and then opens up with surprising complexity and softness---developing biscuity flavors, spicy herbal notes and a hint of lemon.
- Year V : September 1st, 2017 marks our family's 5-year anniversary running the Moon Under Water Pub and Brewery. We're celebrating with a fresh, Citra dry-hopped Imperial wheat wine blended with barrels from last year's Year IV ale. Complex, yet surprisingly juicy and refreshing at 11.5% abv.
- Dame Rouge : A wild oak fermented and aged saison, refermented in oak with Montmorency Cherries and Raspberries, then blended with 20% two year old oak aged saison for added complexity. Big juicy fruit character underlined by the yeast, with a light acidity and subtle funk.
- Halcyon : We originally brewed Halcyon as our first summer seasonal, but since all the Halcyon fans (a.k.a: kiteheads) asked so nicely, we now brew this magical brew year around. Besides, who doesn't want a little taste of summer on a dark winter night?
- Isseki Nicho : Special collaboration between Dieu du Ciel and Shiga Kougen, a Japanese brewery located in Nagano. Hybrid of an imperial stout and a Belgian saison, its color is dark black. Strong bitterness and roasted malt flavours come in first, and are well balanced by a strong alcohol level. Dry and complex finishing provided by the saison yeast.
- La Negra (Oak Aged) : Big, black, beautiful and now nearly a year in the making. La Negra is a wine barrel-aged Russian Imperial Stout brewed with our British Pale Malt and an enormous amount of roasted malts. A 5-hour boil lends a big burnt sugar and raisin character while the intense bitterness gives the beer an incredible dark chocolate finish. Needless to say, the mouthfeel is what one would expect from one of the biggest beers we've ever brewed.
- Golden Helles Lager : German for "bright", our Helles is an easy-drinking, yet surprisingly complex, golden lager.
- Roberts Lake Sunset Wheat : This refreshing American wheat is hopped to the max with Mandarina Bavaria and Simcoe. Delightful citrus aroma with flavors of orange rind and fruit.
- Infinite Highway : We double dry-hopped this beautiful beer to extract twice the oils for twice the enjoyment. Intense aromas and flavors of pineapple, passion fruit, crushed berries, citrus zest, pears, and crushed red berries. Soft and hazy, Infinite Highway has a super low bitterness that makes it dangerously drinkable.
- Terrapin Reunion Beer 2012 : Dark Imperial Ale Brewed with Cocoa Nibs, Cinnamon, Vanilla, and Natural Flavors.
- Martian Spring Bière De Mars : It does not require the Fathers of Science Fiction to alert you that after partaking of a bottle-conditioned Martian Spring, your life will surely change. The prominent hop character of Columbus, Simcoe, Citra, Galena, and Centennial hops crash lands with the light, fruity esters of a Bière de Garde yeast. Oak wine barrels served dual purpose as vessels for the month long fermentation and maturation, as well as dry-hopping capsules. The invasion begins as you embark on your own thrilling wonder story.
- Bitter Cold : Honey color, nutty aroma, biscuity malt flavor, medium body.
- Can't Keep Up 28 : Dark Saison blended from various barrel aged and fruited components along with a dash of stout. Notes of plum, black treacle, and a hint of sour cherry with a bone dry finish.
- Epistasis : Dark Wild Saison aged in neutral charred American oak barrels
- Both Barrels Barlywine : A golden barlywine weighing in at 11%. We split the batch and aged 1/2 in a Jack Daniels barrel and the other 1/2 in a Jim Beam barrel with a pile of vanilla beans. After about six months of aging we then blended both barrels back into one beer. Really complex bourbon aroma but no bourbon burn. A little sweet, and tasty!
- Hop School El Dorado : Our single hop IPA featuring El Dorado hops. El Dorado is a relatively new Pacific Northwest hop offering fruity notes of pear, watermelon and cherry. Hop School: El Dorado offers a subtle, resinous hop aroma with an extremely fruity hop flavor and a stiff piney bitterness in the finish.
- Crafty Jack English Ale : Rich, dark and malty, yet remarkably light on the palate, this unmistakable beer is a tribute to the classic ales of old England. Some say it tastes of London, we say it tastes delicious.
- Barrel-Aged Rise : Our award-winning American stout Rise was aged in Woodford Reserve barrels for more than a year. Though its fresh hop flavor has mellowed over the last 53 weeks, it has added layers of wood complexity to go with its dry, roast malt character and hop bitterness, with strong notes of black licorice.
- Pink Funk : Pink Fuzz (American Pale Wheat Ale w/ Grapefruit Zest) on Brett aged in oak wine barrels.
- Ryeway To Heaven : A heavy dose of rye breathes new life into this other-worldly strong ale. Supple spice and barley sweetness strike a balance in the young beer before its enlightenment in Heaven Hill Rye Whiskey barrels. Ethereal waves of dark fruit and vanilla ascend from the depths as the elixir warms while the rye character lends a stunningly silky mouthfeel. Perhaps it's a doorway to an existential awakening, or maybe it's just a damned fine beer.
- Liberty IPA : Liberty IPA is our reimagining of craft-brew classic Liberty Ale, envisioned through the lens of today's IPAs. We first brewed Liberty Ale in 1975, to celebrate the 200th anniversary of Paul Revere's midnight ride. This revolutionary forerunner of the modern IPA introduced America to the Cascade hop and the nearly lost art of dry-hopping. Like it's processor, Liberty IPA is made with two-row pale malt and Cascade hops. It is the combination of Cascade with new hop varieties - in both brewhouse and cellar - that creates the mouthwatering complex and robust aromas of pine and citrus in this crisp, American-style IPA. The label, like Liberty Ale's, features a bald eagle, whose symbolism runs deep for all Americans including Native Americans. "A very great vision is needed," thought Crazy Horse, and the one "who has it must follow it as the eagle seeks the deepest blue of the sky."
- Dead Spadina Monkey - Pineapple : A Pineapple Sour! Juicy and sour, light and funky. Combine our house strain of funk, 100kg of not-local pineapples, barrel aged and blended to arrive at this unique, refreshing, tropical sour. Made once a year, drink it now or age for up to a year to develop deeper complex flavours.
- Rose Lane : Rose Lane is a dry hopped Lager brewed with strawberry. Pouring a pale straw color with a lasting white head, an aroma of tropical fruit and strawberry meets the nose. Flavors of grapefruit, lime, and strawberry are met by notes of light bread attributed to the use of Pilsen malt. This light, balanced, and refreshing Lager finishes with just a touch of sweetness.
- SamuraIPA (cask) With Buddha Hand : We took our Japanese inspired Imperial IPA and paired it with Buddha’s Hand. Buddha’s Hand is one of the oldest citrus fruits that is described as a “lemon with fingers,” this strange citrus is treasured for its sweet floral, lemon-lime and slight lavender fragrance and mild, sweet zest. Mingled with the lemon, dill and nuttiness of the SamuraIPA, this unique offering is sure to please.
- Dark Crystal IPA : Coming as a second Winter Seasonal in Jaunary! The Crystal in the name refers to the hop that is the focus of this beer. We used Caramel, Carapils, and Blackprinz malts combined with Nugget, Cascade, and Crystal hops. Crystal is the aroma addition and then used again to dry hop. The result lets the spice, herbal, fruit, and floral aroma and flavors shine through.
- Saison : A classic Belgian-style farmhouse ale; unfiltered, bright and light-bodied. The yeast gives an earthy, fruity and spicy character with a refreshing finish.
- Wild Queen : Wild Queen reigns over a kingdom of sour, spice, and fruit. Rich aromas of ripe, red raspberry and tannic oak command the nose. Hints of spicy red wine and leathery Brett balance with flavors of sweet, caramel brandy to give the beer its robust character. She is a carnal endeavor. A tempest of indulgence. A truly Wild Queen. A Wild Saison, aged in both red wine barrels and California Brandy Barrels with fresh, local raspberries & Brett Yeast.
- Crack A Fruit Pale : This beer has a big fruity Australian hop character with notes of melons, citrus, and many other not so subtle fruit fruit notes. This beer is one of our favorites so far as it has the typical hop forward character you have come to know from us but at a sessionable abv of 4.2% that allows people to keep coming back for more! This beer has an appropriate low bitterness and is hopped the same amount of flavor and aroma hops as our IPAs.
- Lug Tread Lagered Ale : Golden-hued, crisp and finely balanced, Lug Tread is our tribute to the classic beer of Cologne, Germany. Lug Tread is top fermented (like an ale) and then cold aged (like a lager) for a lengthy period. This gives our beer some light ale notes complemented by a lager-like crispness. Lug Tread displays interwoven malt and hop flavours, subtle fruit flavours and a crisp, lingering finish.
- Propeller Revolution : This beer was born for greatness. Sent by English brewers via the Baltic Sea to the court of the Czars, Russian Imperial Stout was brewed to very high gravities and allowed to ferment on the long voyage. The result? A dark, strong and bracing brew.
- Hop Shifter #11 : Our trial IPA series, Dry-hopped with Saphir hops. Spicy, fruity, and floral hints of tangerine.
- One Bitter Quitter : Grapefruit and Lemon Sour.
- Get Off The 'Shed : Oh, happy Birthday ‘Shed. If you don’t celebrate the ‘shed, we will drag you to a dark alley and BEAT YOU. It’s their birthday, so get off the ‘shed and ENJOY THIS BEER. It’s dry-hopped with a classic meets current blend of Chinook, Cascade, Citra, & Mosaic FOR YOUR ENJOYMENT. MMM, it’s fruity and DELICIOUS.
- Brown Ale : Our medium-bodied Brown Ale is brewed in the English tradition, with an infusion of American creativity. The rich, malty backbone balances an assertive hop character, and ends with a smooth, dry finish. Our Brown Ale boasts a dark brown body that supports a creamy tan head.
- Lake George's IPA (Wave #04) : In with one Wave and out with another! Wave #04 is our first foray into the use of Australian Melba hops; a variety known to have similarities to Galaxy, with notes of passionfruit and grapefruit. We paired the Melba with Ekuanot’s papaya, pine, and orange peel characteristics to create an IPA that is truly complex and exploding with hop flavor!
- Coconut Imperial Stout : Sometimes you feel like a nut. Infused with a tree load of hand toasted coconut, this regal beer boasts of malt, chocolate, roast, vanilla, alcohol, and of course, coconut. A wide array of crystal, chocolate, and other dark malts combined with premium English floor malt provide the extremely rich malty character.
- Amsterdam Tempest Imperial Stout : Brewed with a complex grain bill and three types of hops that make for a bracing bitterness which quickly blends with deep malt notes and slight spiciness.
- Hippo's Hand Double India Pale Ale : New England style IPA brewed with Buddha’s Hand fruit and dry hopped with Mosaic, Citra, and Lemondrop hops. Left unfiltered, it has a hazy golden appearance and a delicate citrus nose. The Buddha’s Hand fruit lends big citrus notes complimented by the Citra and Lemondrop hops. Not overly sweet and not overly bitter, this is an extremely balanced, smooth and refreshing double IPA.
- The Widow : Belgian-style Dark Strong Ale
- Deep Devil : Deep Devil presents hints of caramel, roasted nuts and sweet breads. Medium in body, it drinks smooth and easy, finishing light, leaving subtle hints of dark toast and brown sugar. Beware, Deep Devil is dangerous … ly delightful.
- Even More Unbalanced : We decided to brew Even More Unbalanced together using a blend of Citra, Galaxy, Denali, Mosaic, and Amarillo with boundary pushing hop totals. It pours an intensely hazy glowing tangerine color releasing a penetrating hop blast of bright tropical mango, pineapple, apricot, and berry. The taste is blended tropical fruit that showcases the EQ juice experiments to date while remaining fluffy but with a proper bitterness for balance.
- Wild Oats Series No.41 Channel Ocho : Channel Ocho is an extra-strong dark ale, judiciously spiced with chipotle peppers, cinnamon and cloves for a mild heat that tickles the tongue, and a warmth that lingers after sipping. Also includes cocoa nibs and cocoa powder.
- Bright - Nelson : This batch of Bright was crafted to be a clean and elegant showcase for the notoriously awesome hop from New Zealand, Nelson Sauvin! It is crafted with a simple malt bill and fermented with clean American Ale yeast to create a flavor profile that is more a function of its vibrant fresh ingredients than an expression of yeast character. Bright w/Nelson’s aroma is a bounty of fresh citrus, grapefruit pith, and sauvignon blanc wine. The taste follows suit with notes of white wine, grapefruit and crushed gooseberry with a gentle earthy finish. She is dry, soft, and adequately bittered resulting in a very approachable intense Double IPA.. classic and delicious! Nelson!!
- Top of the Tank - Batch 1 : When we have extra wort, you get small batch, experimental beer! This one is Tropical Stout wort fermented with hazy IPA yeast, dark Belgian candi syrup, and dry-hopped with Meridian. Fruity, chocolatey, and complex! LIMITED!
- Goosegeist : A German Adambier collaboration with Freigeist with complex malt character and firm bitterness. We bourbon barrel aged a strong German brown ale for five months, developing well balanced oak, stone fruit, chocolate, and vanilla flavors. Just before extracting from the barrel, an "imperial" Gose was brewed and then blended in to add just enough bright lactic acidity to create the traditional "sour" component of the Adambier.
- Live Free Porter : As dark as an English tavern booth, this ale is brewed for session drinking with your mates! Have a pint or three and enjoy the depth of this rich yet extremely drinkable porter. Based with 100% organic American malts and organic New Zealand hops, this porter reminds you to live freely and remember where you came from.
- Franklin Comes Alive : This traditional Southern Germany wheat beer is a darker version of a Hefeweizen (dunkel=dark; weizen=wheat). With this combination, you’ll get the banana and clove goodness, but also the addition of chocolate and roast.
- CocO Chocolate Stout : Real cocoa nibs, bourbon vanilla beans, imported sugar and caramel malt all combine for a complex, yet balanced milk stout. Alongside the mild chocolate flavor you'll find hints of vanilla, oats, and subtle coffee.
- Short Hopper : Session IPA. All hops and malt from #niagaramaltandhops. New York Chinook and Cascade give this little guy tons of grapefruit, nectarine and melon notes.
- Boar Diddley : Boar Diddley is hitting the stage like a friggin' legendary rockstar, triple dry hopped straight to the top with Mosaic, Equinox and Simcoe hops. Rocking subtle strawberry notes and a menagerie of other fleshy fruit flavor, this one came out pleasantly different than most of the juicy IPAs we've been cookin' up lately.
- Emergence BelGene : Celebrate a new growing season with our new single batch of BelGene! With generous additions of Nugget and Crystal hops this extra easy drinking session ale is fruity and tropical for the sunny spring days. With just enough honey-like maltiness to balance the crisp bitter finish, this beer is bound for a sunshine pairing!
- Summer 2010 Vintage - Blackberry : Our golden ale reflects a dueling love of classic Belgian ales and American hops. We balance two row barley, pilsner malt and wheat with a touch of Magnum bittering hops added at the beginning of the boil, and a California-sized addition of Citra hops added at the end of the boil. This late hop addition adds a delicate grapefruit-peel aroma. We then age the beer in used oak wine barrels from California wineries with two hundred pounds of fresh Cherokee Blackberries, and another fifty pounds of Marion, Ollalie and Boysen Berries. All of our berries were hand picked at the family owned and operated Sebastopol Berry Farm.
- Lexicon Devil Grapefruit Pale Ale : This Citra-heavy pale ale is loaded with grapefruit zest and cold-pressed grapefruit juice giving you a tart and refreshing beer.
- Sangrioro Pepa : Tart and fruity farmhouse ale aged in oak barrels with California grown apricots, peaches and nectarines. 
- Mill Street Raspberry Ale (Frambozen) : Mill St Fruit Beer is made from a blend of raspberries and a pale beer. This allows the wonderful flavour of the cherries to dominate the taste and aroma with the beer underpinning the natural sweetness of the fruit. The red colour comes entirely from the fruit.
- Saison : Introduced in March 2007. Ingredients: Pilsner malt, Münchener malt, dark caramel malt, syrup. Hops: East Kent Golding, Northern Brewer and Styrian Golding.
- Dark & Stormy : From the jungles of Jamaica to the barrel room at Firestone Walker Brewing Company comes Dark & Stormy—an exotic mashup of Helldorado and Velvet Merkin aged in rum barrels with a touch of hand-zested lime and ginger. Like its namesake cocktail, Dark & Stormy combines a rich sunset color with spicy rum goodness. Helldorado (blonde barleywine, 80%) sets the tone with its signature honey-coconut character, while Velvet Merkin (oatmeal stout, 20%) rounds out the blend with a hint of rich roastiness. Both beers were aged in barrels sourced from a leading Jamaican rum producer, imbuing Dark & Stormy with delectable rum qualities unlike anything Firestone Walker has offered before.
- Second Anniversary Ale : When presented with a rare opportunity to obtain some freshly emptied tequila barrels, head brewer Brian Nelson acted quickly, identifying them as the perfect vessel for aging Super Singel, our Belgian Abbey-style tripel. The beer’s subtle tropical fruit aromatics harmonize unsuspectingly with a mellow briny character imparted by the tequila barrels. The result is one of the most unique beers we’ve ever tasted.
- Cove At Raglan : Cove At Raglan is our 6.8% all New Zealand hopped IPA. Brewed with Golden Promise and Oats and hopped with Riwaka, Motueka and Wakatu resulting in tropical fruit, lime and citrus flavors.
- Wireless Warlock : Aging for months in whiskey barrels allows our rich, classic oatmeal stout to pick up flavors of oak and whiskey, resulting in a complex and refined brew. Notes of chocolate, vanilla, and toffee on top of the Warlock’s familiar roast character come together for luxurious depth of flavor. A fine treat on a frosty night. Or any night.
- Cube: Cuvee #1 : Cube Cuvée #1 represents the first in a new series of beers for us. Two years ago, we began stashing beers away in barrels to use in the production of blended sour beers that would include significant aging character. We finally have enough of these old barrels that we can begin to include them in blends. For this first release, we have selected barrels of 16 month old brown sour ale and 4 month old golden sour. Something in the ballpark of a Flemish Red, CC1 is refermented in the keg for a soft carb, and shows beautifully balanced dried fruit notes and a complex, oaky tartness. Draft only, for now.
- Elder Noir : Respect your Elder! This noir ale is a blend of elderberry wheat and two saisons, black and golden, aged in a Pinot Noir barrel for 10 months. Three Saison yeast strains (Traditional, Bier de Garde, and Farmhouse), elderberries, Belgian candi syrup, honey, and molasses help create a complex, yet balanced ale. Expect a fruity, dry finish with notes of oak, red wine, raisons, and roasted barley.
- Mocha Porter : Mocha Porter is made with JJ Bean decaf coffee and cocoa nibs. It’s dark auburn in colour with hints of caramel and a slightly roasted bitter finish.
- Blue Heron Extra Special Bitter : This full flavoured ESB is inspired by the Blue Heron on our tidal river. The complex hop flavour is a combination of four different hops in addition to being dry-hopped in the serving tank. Add the signature smooth “maltiness” and there is no wonder why the Blue Heron is a favourite amongst the “Hop Heads!”
- Proper Saison : Bursting with hops, Proper Saison is an American interpretation of the quintessential farmhouse style. Brewed with 100% pilsner malt and hopped entirely with El Dorado hops, Proper boasts a thirst quenching body emphasized by tropical fruit aroma & flavor.
- Beast Infection Sour Ale : Aged for 18 months in Port wine barrels, Beast Infection is a barrel sour fermented version of our Tribute Tripel that showcases layers and complexity imparted by the beer, the barrels, and the ‘bugs’ that created it. The depth of grappa-like qualities from the Port, citrus and fruit qualities from Tribute, vanilla and earthy oak from the barrels, is rounded by a complementary tart sourness imparted by the use of two bacteria and and one wild yeast strain from one of our favorite yeast houses. Beast Infection is a sum of all it’s parts, and more.
- Sheaf Toss : Sheaf Toss Wee Heavy is an ode to the renowned feats of strength on display at the Scottish Highland Games. Crafted from distillers' malt and traditional floor malted grain, only the strongest of competitors could the massive sacks of barley found in this Scotch Ale. Layers of sweet caramel coat your mouth, while a touch of roast and earthy hops subconsciously remind you of the fertile farmland. Our own cherrywood smoked malt and Bourbon barrels staves form a unique tartan of complexity and strength. You may never toss a caber or play Scotland the Brave on a set of bagpipes, but you will feel more than a wee bit Scottish after a Sheaf Toss.
- Club Tropicana : When you live in ice-cold Denmark like we do, you often need to dream yourself far away from the dark, cold nights in Copenhagen. To a hotter and more exciting place - a place where you can spend your days eating tropical fruit, wearing nothing but tight speedos. Club Tropicana is designed to take you there. 
- Sharing Sandwiches : "Sharing Sandwiches" Brett IPA is a collab with the fantastic folks at Highland Park Brewery and The Hermosillo. We threw a moderate amount of piney/earthy Chinook and really fruity Simcoe hops into the mix and fermented with a blend of California Ale and Brett C. The resulting beer is tropical with earthy and leathery complexities from the Brett. Apricot and Tropical up front. Spicy peppery finish. Sandwiches were shared. 
- IPA : Strong notes of resinous pine and tropical fruits round out this west coast inspired IPA. Hops include Columbus for bittering, late additions of Centennial and Citra for aroma / flavor and dry-hopped with Centennial and Citra.
- Opus : Opus is a saison brewed with tea and fruit. The perfect accompaniment to the warmer months, this farmhouse style has a bright, citrusy aroma with notes of tea and spice. Opus pours golden in color with a firm white head.
- Victor IPA : Named after the original property owner, Victor Kriegshaber, this is an American-style IPA with British Pale malt, a limited amount of American crystal malts, and loads of American hops. We have added over three pounds per barrel of Bravo, Summit, Falconer’s Flight, Cascade, Centennial, Columbus, El Dorado & Azacca hops, providing flavors of tangerine, citrus, guava & stone fruit. This is a very refreshing IPA, definitely the go-to choice for the hopheads.
- Dragonmead Bock Tubock : This traditional German bock is brewed as a dark wheat dopplebock. Made with Munich and Vienna malt, it receives its color from the dark wheat malt that is added. It is hopped with traditional German hops. A malty body with slightly sour notes and a hint of wine ester flavors.
- Overcast Espresso Stout : Overcast skies inspired a dark and smooth oatmeal stout blended with cold brewed coffee, offering a full palate of roasted malts, chocolate and espresso.
- Winter Mingle : A stout whose malts mingle with a touch of vanilla and notes of dark chocolate.
- Everleigh : Maris Otter, flaked oats and crystal malts make up the grain bill on this classic English style ale. Complex yet light hints of biscuit and toasted flavors are evident. We used fuggle and UK East Kent Goldings for both bittering and aroma. The toasted malts and earthy hops produce a great beer with each sip as enjoyable as the first one.
- Desert Brown : Obviously Cartel had to create a beer using our coffee beans! Our head roaster Paul focuses on the specific flavors and essences of our single origin coffees and, in so doing, roasts with lighter profiles. This allows the bean to express more of its natural flavors and unique qualities. So instead of brewing a coffee porter or a coffee stout, we decided to go with a lighter nut brown ale recipe that allows the coffee to show through both in the aroma and in the finish. A smooth, nutty sweetness that finishes with wonderful coffee notes, making this a great beer for any time of year.
- Red Racer Gingerhead Gingerbread Stout : This full bodied Irish-style Stout is smooth, dark and creamy with pleasant notes of baked gingerbread on the nose and palate that will make this an instant holiday classic. The use of oatmeal and ginger in the mashtun adds silkiness to the texture and body of this ale. Hints of roasted barley, chocolate and crystal malts combine with a warm lingering finish of ginger and cinnamon that pleasantly round out one of our richest creations to date.
- War Bird : The War Bird, the trusty side-kick of the ninjas, has been deployed! This delicious session ale, is reliable and remarkably complex. Always there when ya call, the bird is the word.
- PHunked Up : Gose aged on various fresh fruits.
- Sin City Stout : A traditional Irish Dry Stout, it is a full, richly flavored beer with a roasted, coffee-like taste and a hint of chocolate, balanced with an abundant hop profile that delivers a satisfying dry finish. A thick creamy head rests on top and holds the rich roasted aromatic qualities in the glass. This is truly the darker side of sin!
- Berliner Weisse - Passionfruit Peach : Made with the juice of peaches from California and passion fruit from Ecuador, a Pan-American take on the German classic.
- 1890 Founder's Ale : Full bodied and deep amber in color, 1890 Founder's Ale showcases its robust malt complexity with notes of caramel, toffee and roasted walnuts. American cascade hops are used to balance this beer with a bright, piney finish. 
- Gossip : Our take on a traditional German Sticke Alt, a stronger limited version of a standard Altbier and another collaboration with our good friend, Nick Crandall from the Brewlab on Capital Hill. The name pays homage to the tradition of not listing the beer on the menu, allowing only those in the “know” to order it! Rich in toasted bread and dark fruit notes it has a full mouth feel and a soft carbonation. Now you don't even have to ask anybody!
- Alpha Male : The aggressively hopped “Alpha Male” stands center of attention with its robust and alluring hop aromas of earthy and fruity flavors and is perfectly balanced by a subtle malt character. Extra hoppy and overtly over the top, paired with a seductively crisp undertone.
- Wet Gravity : The density of our beloved hop essence in this gorgeous silken beer drips down from your head and soaks your feet. We hopped this densely with the eternally saturating Citra and Azacca hops. The aromas of passion fruit, mango, and deep citrus-resin will drag you down by the river's edge like rocks in your pockets, showing through like the deep brainsqueals and infinite pulse of gravity clinging to your senses and calling you home from across the furthest extremes of creation's immensity.
- Norns Roggenbier : This is a bright mahogany-hued beer based on a recipe from medieval times with a rye dominant malt bill. It has a rye breadiness, a spicy fruitiness and a faintly sour and dry finish. This Roggenbier is a touch smoky, tart and sweet with characteristics of banana and clove.
- Class Of '88 Belgian Style Ale : Michigan Riesling and Oregon Pinot Noir grapes age with whole flower Mt. Hood hops and pilsner malt in Muscat casks. The fruit aroma unites with Belgian yeast esters and oak for a crisp, dry, and slightly tart flavor.
- Caribbean Queen : From atop our brewery's roof, if the sun shines hard enough to burn away the bay's semi-permanent blanket of fog, we are gifted beautiful views of sailboats dancing across the San Francisco Bay. Daydreams of what it's like to be on one of those boats float through our heads as sweat from the brewday drips to the ground. While on the boats they are enjoying their tiki drinks, while we'll be alleviating the heat with some Caribbean Queen. Inspired by a blend of various tiki drinks, the result is a beer soured to the point of mouth puckering acidity and is then fermented with passion fruit, red sour cherries, oranges, limes, and El Dorado hops. The result is an over the top fruity Catamaran of a sour beer ripping through your palate and leaving only tart and juicy greatness in its wake.
- Another Alliteration : Another Alliteration is an iteration of our beloved Farmhouse Noir. After fermenting and aging this dark and delightful ale in one of our 90BBL Fodures we pushed it to wine barrels where we added raspberries and tabulated the progression of time. Fruit forward, with a prickly palate, we generously give you Another Alliteration. Sante!
- Winter Warmer : Winter Warmer is loaded with body and complexity without being too heavy. Delivers bitter cocoa, molasses, and coffee on the nose with light notes of dried fig and anise. A luscious flavor profile starts with coffee and unsweetened cocoa, follows with dried fruit mid-palate, and finishes clean and dry.
- Smugglers Stout : A nod to Deal’s rich smuggling history, which can be dated back to the mid-18th century, around the same time the name ‘stout porter’ was coined in reference to a strong porter. A clean dry stout, the yeast attenuates dry while character malts such as chocolate, crystal and roasted barley add balance and body, the hops take a back seat to let the darker, roasted malts shine through.
- Norwegian Farmhouse Sour : Kveik, a Norwegian strain of farmhouse yeast, typically handed down through generations, lends clean and tart fermentation flavors to this one-of-a-kind cuvee. To make it, we blend a kveik base with two wine barrels of our house sour culture plus citrus zest, grapefruit, and pink peppercorn. The finished beer is, at first, complex, but infinitely drinkable.
- Bourbon Barrel Aged Imperial Stout : After hauling in bourbon barrels from Heaven Hill Distillery in Bardstown, Kentucky, we thought some of our beer should live in them for a while. This boozy, dark, rich beer waited for the perfect time to introduce itself - our 1 year birthday!
- Explore : Coco Stout with characteristics of bitter chocolate, rich maltiness, a twist of coconut, mid-body sweetness and a dry, nutty finish.
- Kiwi : Wood Aged Fruited Sour Ale w/Whole Kiwis
- Yvette : Belgian Blonde - This golden ale was fermented with a traditional Belgian Abbey strain lending classic esters of fruit and spice; we’ve hopped it entirely with Australian Summer to accentuate it with subtle, refreshing citrus and melon notes.
- Milkshake IPA - Lemon Meringue : Lemon Meringue Milkshake is the latest psychedelic riff on THE boundary-pushing Culinary IPA series. Brewed with gobs of oats and lactose sugar. Conditioned atop EXTRA heaps of luscious Madagascar vanilla beans and fresh and pungent lemon purée. Intensely hopped with Mosaic and Citra. Big notes of bright lemon curd, sticky melty summertime marshmallow, pink grapefruit, and blueberry sorbetto. It's all so strange strange strange and it keeps getting weirder =). Dreamt up with our sweet angel life mates at Omnipollo.
- Chief Peak : From shrubland to woodland to highland, you’ve creekcrossed and switchbacked through it all today. You pause on the trail for a moment and crack open a Chief Peak. The piney hops are first to arrive. The tropical tones of passion fruit, orange, and gooseberry aren’t far behind. Watch as the sky blends from orange to blue. Look out on the valley and trace the contours of the mountain. Breathe in the thinning air, wipe the sweat from your brow, and take another well-earned sip.
- Guinness Rye Pale Ale : Created by the brewers at The Open Gate Brewery as a holiday gift for their colleagues, friends and families, Guinness Rye Pale Ale proved so popular they had to share it with everyone. The rustic, spicy character of rye grain is balanced with citrus and grapefruit from the mosaic and cascade hops, making it a fine addition to the Guinness family.
- Kodachrome Dream(ing) : Brewed in collaboration with DC's own Mad Fermentationist, fermented with our house mixed-culture of wild yeasts. Brewed with wheat, lots of grapefruit and lemon, and dry hopped generously with Galaxy and Citra. Make's you feel like all the World is a sunny day.
- Cupid's Arrow : Cupid’s Arrow is a Berliner Weiss brewed with passionfruit and rose petals. Bright straw colored with a white head, this beer has prominent aromas of tart passionfruit with complementing floral scents. Light bodied with mouth puckering tropical flavors, Cupid’s Arrow finishes dry and tart with light floral notes. Once you’re struck by Cupid’s Arrow, you’ll be salivating for more!
- 077-10990 - Chinook : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long term drinkability. The 077-10990 is the dubviant tuned up with a third Chinook exclusive dry hop inspired by the places that get it in Warwick. Chinook sprinkles Dub’s mix of dank resins and tropical fruit with a scosche of spicy pine & grapefruit. Drink 077-10990 when what you got is perfect but would be perfecter with a touch of spice.
- Mosaic Session IPA : A homage to Blue Point Brewing Company’s storied history – a tale that is preserved on the original Tasting Room bar top that dates to 1997 – Mosaic Session IPA is a straw-colored, West Coast style that showcases serious aroma. It features Mosaic, Simcoe, Centennial, and Cascade hops that lend strong tropical fruit characteristics to a light body and dry finish. Our Session IPA has a complex India Pale Ale flavor without all the punch.
- The Savage : Barrel-Aged Feral Dark Ale with Cherries
- Sunken Island IPA : An off-white head sits atop an attractive amber beer. The aroma is a complex mix of hops and malt with traces of yeast. Assertively spicy hops balanced by a rich malty profile will entice the pallet. The finish is long with a lingering hop bitterness.
- Ruby Red Ale : Brewed with imported pale malt, Honey malt for flavor, three types of caramel malt for color and flavor, Vienna and Munich malt for body. The ruby red color hints at its rich caramel maltiness. Hopped with a good amount of German hops to tame the sweetness. This is a perfect middle-of-the-road beer for those who do not want a beer that is too light, too dark, or too bitter.
- Brown Session Ale : Harpoon Brown is brewed to accentuate the sweeter, rounder notes derived from six different malts, including a de-husked chocolate malt that adds a hint of chocolate. The blend of these malts produces a beer that is complex and delicious without being heavy. This drinkable beer is perfect as a session beer or paired with foods.
- Festina Pêche : In Festina Peche, since the natural peach sugars are eaten by the yeast, the fruit complexity is woven into both the aroma and the taste of the beer so there is no need to doctor it with woodruff or raspberry syrup. Just open and enjoy!
- Tropical Double IPA : A fresh take on our much lauded Brewers Reserve Double IPA, this beer has the addition of real blood orange and mango. Prepare for a citrus explosion on the nose and the palate with a small helping of dank. This IPA is big and in your face, but in a pleasant sort of way. With the addition of fruit, the citrus gets taken to the next level from start to finish. You may not be used to associating the word "refreshing" with a Double IPA. Well, here you go. Cheers!
- AMA Bionda : Designed by Brooklyn Brewmaster Garrett Oliver, AMA Bionda is a golden beer with a soft but complex floral and fruity character, born of aromatic malts, three types of hops, Italian Orange Blossom honey from Sicily, and water from springs that date to Roman times.
- Zeus Juice : Wheat beer and IPA mashup with spicy, fruity, and tropical fruit flavors
- Priscilla White Wit Wheat : This AmeriCAN take on the Belgian Classic Wit, featuring orange peel and coriander spice emanated from the basement blues music legacy Dave McIntyre (Oskar Blusologist) built at the original Oskar Blues Grill & Brew in Lyons, CO. On draft for over a decade, Priscilla's zesty citrus and light fresh baked bread aromas mix with spicy, fruity fermentation. Light bodied with a subtle savory spice accent and a dry, lightly tart finish you can nearly feel the flicker of the neon and sounds of the King. White Wit Wheat.
- Second Anniversary DIPA : This is one of the hoppiest fruit bombs we've ever made to date, with Citra, Galaxy, Wai-iti and Kohatu hops.
- Black IPA : Holy hybrid, this legendary hop-forward style goes dark and deep with the addition of a big, roasted malt base. Dry-hopped and Unfiltered, don’t overthink this beast, just enjoy.
- Curiosity Forty Four : The art and science of brewing continues to captivate us - every opportunity to experiment in search of how to improve our beer, and to further our understanding of what ultimately makes a beer enjoyable, enriches our spirit! To that end, Curiosity Forty Four combines several of our very favorite American and Australian hops, including Galaxy, Citra, Simcoe, and Amarillo in the kettle and heavy doses of Citra and Galaxy in the dry hop. The result is a heavily tropical Double IPA dripping with fruity hop oil saturation. Utilizing a new technique, the majority of the carbonation in Forty Four developed naturally in the fermenter during conditioning. The result is a uniquely soft body and tight carbonation lending supreme drinkability and flavor that ignites the senses and invites the next sip. We hope it can contribute in a meaningful way to a special moment in your life.
- Kuhnhenn Irreverent : This Belgian Strong Ale pours a deep amber-copper color with a brilliant white head, leaving the picture-perfect amount of lacing. Estery notes of banana and pear exist throughout alongside hints of cotton candy, clove, white pepper and warm spice. An extremely complex beer, it exists somewhere between a Tripel and a Quad. A medium bitterness towards the finish leads into a slight alcoholic heat. Though not a tame beer, it does drink with balance. Irreverent is a beer to be revered.
- Hefeweizen : Anaheim Hefeweizen is a traditonal German-style wheat beer. This beer is unfiltered, giving it a hazy appearance. The yeast that remains in the beer adds flavor, body and vitamins(!) to hefeweizen. We use a special yeast to give our Hefeweizen a subtle clove aroma and a fruity hint of banana. These spicy, fruity notes blend perfectly with the cilantro, lime, and cumin used in Mexican dishes. There is nothing so refreshing as an Anaheim Hefeweizen.
- Meadowlark IPA : Meadowlark IPA is a new juicy and floral hoppy, hoppy ale we brewed to celebrate the flavor and spirit of American craft brewing. This 7% alcohol beer has a sunny orange-yellow colour, 85 International Bittering Units, a smooth mouthfeel and layer upon layer of soft flowery hops. We wove earthy Citra and bitter Bravo hops from the Pacific Northwest with intensely fruity and aromatic Galaxy hops from Australia. The malts are pale malt & mild ale malt, pale crystal (1.3% of the grist), flaked barley with malty highlights from Munich malt and a bijoux of Roasted Barley. The resulting patchwork is as “American” tasting as short ribs and slaw, and provides an excellent accompaniment to that kind of food too! Very hoppy and bitter. Yum.
- Yuletide 2013 : Belgian Dark Strong Ale Aged in Oregon Whiskey Barrels
- Mango Hibiscus Blonde : Brewed with real mangoes & beautiful hibiscus flowers, this summer beer starts smooth & fruity, finishes tart & echoes tropical punch.
- Draco : A kettle sour with passion fruit and dragon fruit.
- Dubbel Entendre : Complex, with dark fruit and caramel character. We brought in a yeast strain derived from West Flanders to accent this rich concoction.
- ...And Rock The Blvd : Our take this go round on the traditional APA features Centennial and Mosaic hops. Strong notes of citrus, pine, and passion fruit make this a hop lover’s dream beer.
- Bean Bar Latte : Coffee Latte with Chocolate and Fruity Flavors.
- Palmetto Espresso Porter : The robust full-bodied flavor comes from the dark roasted malts and is accented with a coffee espresso roast by our friends and neighbors Charleston Coffee Roasters.
- Rum Barrel-Aged Imperial Red Ale :  Packed with molasses character and strong oak notes, our Imperial Red Ale aged in rum barrels has subtle citrus fruit aroma and added sweetness. The rum barrels add a warming mouthfeel and hints of vanilla. Best news is: this exclusive release only gets better with age.
- Leaning Chimney Porter : Our winter seasonal is brewed in the robust porter style using peat-smoked malt. The addition of American hops create a piney-resin flavor with a smooth finish. Copious amounts of black malt lend to a khaki-colored head and dark chocolate backbone.
- Ambassador Am-Belgo : The best of both brewing worlds: A hybrid Belgian-American strong pale ale with golden-copper color, medium body and maltiness, low caramel/toasty malt flavor, floral and citrus-like American-variety hops used to produce high hop bitterness, flavor and aroma but some phenolic spiciness and high fruity esters from Belgian ale yeast.
- Do You Even Sudachi, Bro? : Berliner Weisse with Sudachi Fruit
- C.O.B. (Coffee Oatmeal Brown) : This unique and complex seasonal ale is free will’s best-selling seasonal. This very strong brown ale has a delicious malty backbone with notes of caramel, brown sugar and graham cracker. Aged on a unique and complex bean that provides additional peppery and molasses like flavors in addition to the classic coffee presence in the aroma and on the palate.
- Curiosity Twenty Nine : Our curiosity continues with an intensely kettle and dry hopped Double IPA featuring a combination of Simcoe & Amarillo! The base of Twenty Nine is straightforward to allow the unique and intriguing characteristics of our house yeast to play with a big punch of Simcoe & Amarillo. We experience flavors and aromas of apricot, peach, grapefruit, and a very distinctive note of juicy tangerine. This beer is a beautiful example that given a similar set of ingredients, process and yeast vastly influence the character and presentation of a finished beer. Despite its focused and intense flavors, this Curiosity is supremely pillowy. A delectable treat, indeed.
- Frosted Harbor Dark Raspberry Wheat : We have always loved the decadent flavor of raspberry, and so we decided to create a special beer with a big caramel backbone and just the right amount of fruit. To this end, we introduce our Frosted Harbor Dark Raspberry Wheat. With a late chilly autumn night in mind, we composed a mash of pale ale, torrified wheat, caramel and chocolate malts. To achieve a deeper hue, we added a generous amount of a dark Caracrystal wheat. The dark wort was then boiled with lactose and a collection of British hops. We completed our recipe with an addition of a Kalamazoo produced tart raspberry extract of the highest quality. Once you experience the fine carbonated bubbles of this beer, you will see just how its residual sweetest melds beautifully with the tartness of the fruit.
- LMLP : A 7.5% ale brewed with roasted and de-bittered black barley, dry-hopped with Simcoe for a piney, resinous aroma, and fermented with saison yeast for a spicy, fruity, earthy funkiness. We guarantee you’ve never tried a beer quite like this.
- Citra IPA : We brew Citra IPA using Citra and Centennial hops to create an over the top citrus flavor and golden-orange color. These American grown hops are the perfect fit for an American style IPA with signature aromas of grapefruit and orange peel. Munich and Montana 2-Row Pale malt complete this medium-bodied IPA for a flavor that we can't get enough of.
- More Stories Than J.D. Got Salinger : This Chicago farmhouse ale features the addition of garam masala and orange peel. Complex spice and citrus notes dominate this take on the tradional Belgian ale.
- Empress Catherine : Empress Catherine is a dark, opaque stout with sweet aromas of molasses and black currants. Rich flavors of dark chocolate and heavy roast provide a malty balance to the pronounced bitterness in the finish.
- Haze County : Haze County is our first year round double IPA! There are many different ways to approach a double IPA, but we chose to take the simple route: lots of hops. A mix of multiple Yakima Valley hops delivers a complex blend of tropical fruit, stone fruit and just a hint of earthy dankness. This delivers an experience that can only be found in the deliberate and expressive usage of hops.
- Broz Night Out : Broz Night Out is the imperial version of our low ABV Citra IPA Broz Day Off. Pale malt, a bunch of oats, and hopped exclusively and intensely with 100% Citra hops. Clocking in at 9%, this one is insane. Incredible aromatics of Lychee, tangerine, grapefruit peel, dank, with an extremely similar flavor profile. Very low bitterness too. Perfect for when it's the Broz Night Out(that even pertains to your #ladybroz)! This is one of our favorite DIPAs that we've released so far.
- Sumerduck Saison : Named for the rural Fauquier village where hundreds of ducks return in the Spring to make their summer homes, our Sumerduck Saison is our harbinger of spring with fruity Belgian esters, a subtle tartness, and delicate earthy notes. A touch of rye adds a peppery spice, and wheat malt a silky mouth feel to this easy drinking Farmhouse Ale.
- Bourbon Barrel Aged Cherry Chocolate Double Brown Stout : Aged for 11 months and 100% barrel strength. This is the first beer out of our 2016 barrel program. We selected barrels with lush oak with rich chocolate notes. Once out of the barrels we fermented with more cherries. The resulting beer is layered with deep cherry fruit embellished by rich malt, bittersweet chocolate and toasted almonds, finished in Bourbon.
- Seduction : Ommegang Seduction is lovingly brewed with six dark malts. Chocolatier Callebut provides the chocolate, while Liefmans brings the cherries. This international romance is consummated with a full body, alluring aromas and flavors of Belgian chocolate, and tart cherries. Seduction is an ale to be lovingly embraced.
- Barrel Aged Nectarine Grizz : The Grizz is back in this Limited Edition barrel aged release. Refermented in the barrel with local nectarines, the intense maltiness of The Grizz serves as a delivery vehicle for the essence of the fruit, balanced by bright nectarine acid & tannins and the earthy sour character of the native micro flora & fauna of Dry Creek Valley.
- Summer IPA : Cascade, Citra, and Centennial hops work with “Forbidden Fruit” yeast and sweet orange peel to give this IPA a citrusy, fruity aroma and flavor backed by a strong hop presence.
- Grace Anne Stout : Strong flavor of dark chocolate and french roasted coffee make this one perfect to chew. Dark and delicious!
- Dark Ages: Imperial Stout : Aging Imperial Stout in Kentucky Bourbon and Cognac Barrels brings complex flavors and a rick oak character to this big beer made with a variety of roasted malts.
- Camp Wannamango : This pale ale brewed with mango begins with a subtle tropical aroma of passion fruit and mango. Golden-copper in color, it has a light body, slight hop bitterness, and malty sweetness, and finishes with a kiss of mango.
- Hast Tag BelGene : Cheers to Belgian beers! We joined in on the Belgian beer party in Portland, and brewed this batch just for it! Using the collaborative yeast strain with all the other breweries involved, we took the hoppy road with this session beer. A big fruity aroma greets your nose to get it all started, then the spicy bitterness takes over as the tongue tells a hoppy tale!
- Two Dragons : This innovative and one of a kind East meets West beer is a truly unique experience. Combining American craft brewing techniques with the history and precision of the Jing Wei Fu Tea producers (Southern Shaanxi in China), we've created a beer like no other. Nugget hops and our house ale yeast start this beer off with fruity aroma. The flavors are then a blend of subtle malt and a full earthy tea flavor with a dry finish.
- Magic Missile : Magic Missile is a reliable (weapon spell) beer, that’s true to its name. Handy in all situations, this incredibly sessionable beer has a smooth mouthfeel, lofty head, and a flavour that features a blend of malts that complement its hints of tropical fruit. Please (fire cast) drink responsibly.
- Odin's Tipple : Odin's Tipple was meant to be a strong beer, but we changed our minds...its still strong but we wont follow the mega strong trend. It should be possible to make great beer without the extreme alcohol potency. Odins Tipple is now approx 11% abv, it’s a dark almost black beer from lots and lots of chocolate malt. Its the malt that contributes the flavor...no added coffee or anything else, Its got a great body without being old engine oil and still very drinkable due to the wild yeast we use. This beer is made with a single strain of wild yeast and the recipe is dead simple.
- Becky's Black Cat Porter : "Our rich, dark Porter is a full-bodied ale with a creamy, chocolate colored head. this Porter's smooth flavor and wonderful finish comes from a blend of deep-roasted barley malt and wonderful Willamette valley hops. 55 IBU's and Color of 55 SRM"
- Straight Razor Stout : After a golden summer living like mountain men , we badly needed a barber's touch down at the brewery. Enter Victory Barbers. They love dark beer , we love Victory. This Dry Irish Stout collaboration is a match made in tonsorial heaven.
- Present Perfect : Passionfruit berliner, oak conditioned and dry hopped with hallertau blanc and el dorado.
- Grape Of Thrones : A zesty enterprise of citrus hop character and invigorating citrus aroma, thanks to the addition of 10 pounds of fresh grapefruit zest and a little juice. This lighter bodied "single pale ale" features Centennial, Cascade and Chinook hops, making it refreshingly hop forward and pleasantly bitter with a delightful grapefruit nose. Cheers, Your Grace.
- Belghost IPA : Made with Galaxy and El Dorado hops. These hops lend a tropical fruit character. Addition of grapefruit peel adds to the bitterness. 
- Dreamtime Haruspex : Drowsy visions of the mysteries held inside...we sort through ourselves in the dream world of subconscious wisdom and within the chaotic violence of our internal divination lies the brilliant prism of introspection...This new-American hoppy ale will give you the passion to pursue the work at hand: aromatic sensations that express floral grapefruit zest, ripe sweet melon, and deep, sharp conifer resin. The intensity required to decipher dreamtime visions will not yield to the faint of heart. Become the Haruspex of the self.
- Impatiently Waiting : Impatiently Waiting is a 12% Bourbon Barrel Aged Imperial Stout. This French Toast inspired Imperial Stout spent 15 months aging in bourbon barrels with maple syrup, cinnamon and coffee from our friends TOCA Coffee. The result is a complex unity of bold, sweet and rich flavors from the base beer and adjuncts, along with slight barrel character on the back end. This beer is meant to remind you of your favorite weekend breakfast.
- Dr. Robot : A tart, fruity sour beer. Dr. Robot is as playful as its name. After souring to a delightfully tart level, we add blackberry juice and lemon zest to enhance and balance the flavor. The juice gives this beer a pink hue. The perfect blend of sweet and sour, Dr. Robot is a refreshing year-round sipper.
- IPA X : IPA X is double dry hopped with Citra and Mosaic hops, an exciting combination that provides big citrus and tropical fruit notes in both aroma and flavor. This juicy beer pours a cloudy, deep golden color, with super low bitterness and a silky soft mouthfeel.
- Smuttlabs White Wine Oak Barrel Aged : Following the debut of our Belgian-style Tripel, comes a Heritage Avenue-brewed Smuttlabs tripel, aged on chardonnay oak. You’ll notice a few differences between this and the Big Beer Series version. Vanilla and pear highlight the aroma, while a soft malt flavor is accentuated with juicy fruit notes.
- Jean-Claude Van Damn! - Pinot Noir Barrel Aged : We've gone and done the impossible - we made Jean-Claude Van Damn! even more badass. We took our Belgian Dark Strong ale and aged it in Archery Summit Pinot Noir barrels for four months. The dark fruit notes are still present, but now they're complemented by hints of vanilla, oak, and even a little leather. JCVD is tough, and this beer will be even tougher to find. Get it while you can.
- Black Roses : Maple Black Peppercorn Rose Saison brewed with 100% pilsner malt. Hopped with experimental hop#10416 and Hallertauer Mittelfrüh. Conditioned on rose petals, grade A Pennsylvania maple syrup, and black peppercorns. Big notes of black pepper, hay, barnyard, stone fruit, and apple cider.
- Collaborator Doppelbock : Big, chewy, malty, dark lager! Brewed in collaboration with Horst Dornbush for his forthcoming book on dark lager styles.
- Gangster Frog : Crisp and satisfying American I.P.A. with a skillfully assertive American hop aroma & flavor. Bright spicy citrus hop character up front, with a distinct orange & tropical fruit hop bouquet to add a welcome complexity & strike the perfect balance. It’s all about the hops with Gangster Frog I.P.A.
- Alaskan Barley Wine (Pilot Series) : Alaskan Barley Wine is a full bodied ale, deep mahogany in color and brewed with an array of complementing malts to achieve its high original gravity. Multiple hop additions in the boil and dry hopping during fermentation provide contrast to the big malt character resulting in the smooth balance that distinguishes this specialty brew. Like many fine wines, Alaskan Barley Wine may be aged in the bottle and gains deeper malt complexity and smoothness over time.
- Day & Night : This Barrington cold brewed coffee infused blonde barleywine is the luminous counterpart to our dark, rich imperial stout. In Day & Night, we envisioned the blonde barleywine style as a way to showcase the nuanced floral, fruity, and spicy characteristics found in medium and lighter roast coffee blends. Golden-Amber in color, Day & Night exudes delightful aromas of almond toffee, graham crackers, fruity coffee, lightly acidic berries, and vanilla. Upfront flavors of creamy coffee, honey tinged malt, caramel, and tart berry blend cleanly with a slight coffee-derived bitterness.
- Belgian Dunkel : A dark Belgian Ale made with a combination of Pilsner, Munich, and Chocolate malts as well as Czech Saaz hops. Fermented with Belgian Trappist yeast.
- Gas Pirate : American Stout brewed with regular and chocolate spelt. Rich and nutty, with plenty of cocoa and lingering roast.
- Audrey : Saison brewed entirely with Pilsner malt. Conditioned atop heaps of house processed Ruby Red grapefruit, rose hips, and a dash of hibiscus. Brewed to commemorate our @fermentaria Sous Chef Roch's newly born daughter! Tart and life affirming.
- Sexual Fluctuation : Collab with District 96 Beer Factory. Sexual Fluctuation is a Citra/Galaxy blend. It pours a hazy tangerine orange and releases releasing aromas of passion fruit, peach, lime, and pineapple all integrated with a juicy twist. The taste is a bright creamy tropical sorbet flavor that is dangerously drinkable and balanced. This beer takes dHop5’s lunch money and gives it a wedgie.
- Sam '76 : By experimenting with both lager and ale yeast strains, the brewers at Sam Adams came up with the concept for a brand new beer – Sam ’76. This truly unique brew takes two active fermentations and blends them together to create a deliciously harmonious result. This process delivers a distinct flavor that showcases the slight fruitiness of an ale with the balanced drinkability and smoothness of a lager. Sam ’76 will surprise any craft beer lover with its huge flavor and aroma along with a light-bodied, refreshing crispness. At just 4.7% ABV, this brew is perfect for those sessionable occasions. Cascade, Citra, Mosaic, Simcoe and Galaxy hops impart a tropical citrus aroma that gives way to a bright, juicy citrus hop flavor but without the hop bitterness. The brewers have been experimenting for over a year, tested over 60 iterations with multiple combinations of 12 different hop varieties in the nano brewery in Boston in order to perfect the Sam ’76 recipe.
- Sangrioro Baya : Tart and fruity farmhouse ale aged in oak barrels with California grown blackberries, boysenberries, and olallieberries.
- Peak Organic Simcoe Spring Ale : We love the piney, fruity flavors of Simcoe hops. This is a classic pale ale, single-hopped and dry-hopped with Simcoe. We cold condition this beer and give it a restrained malt profile, so the hops really pop, like flora in spring. Our friends Patrick, Jason and Brad grow these luscious hops and we hope you enjoy them as much as we do.
- Zyclhops : This IPA was inspired by our Ghost Ride Kolsch bier. Using a similar malt bill and some of the Kolsch yeast we got the lightness and fruity esters that perfectly compliment the pineapple and citrus notes from the Zythos and Cascade hops.
- In Robust We Trust : Our “Robust Porter.” Smooth, full bodied, coffee, tobacco, dark fruit….yum!
- Upslope Lee Hill Series Vol 13 - Tequila Barrel Aged Quadrupel Ale : Our newest Belgian Quadrupel is based on the recipe of a former Lee Hill series beer, but this time we tweaked the recipe a bit and prepared it to go into our Dulce Vida Anejo Tequila barrels for six months. Over those months, the complex flavors of this big, Belgian ale mingled with the spirit of these barrels to produce notes of caramelized bananas, mulled clove, and floral tequila accents. These flavors are rounded off by a rich, spicy oak character and a warming finish that characterizes the classic Belgian Quad style.
- So Happens It's Tuesday : Our infamous Black Tuesday stout is named in honor of the great stock market crash of 1929. So Happens It’s Tuesday is similarly dark and delicious, but in a more affable format, reminding us that there is always a bit of good to be found within the bad. Things happen, life goes on. This beer can be enjoyed in all of those moments and seasons.
- The Wrath Of PeCaan : Barrel aged Belgian strong dark infused with toasted pecans and whole cinnamon sticks.
- Saison Du Parc : This straw coloured Saison is inspired by the Belgian tradition. Slightly veiled, it is dry with grainy aromas.The chosen hops straddle the line between the traditional and the new world and bring a touch of citrus and passion fruit, all the while letting the aromatic yeast shine through.
- English Harvest Ale : A substantial malty, rich British ale. Nutty, toffee, and caramel malt flavors are paired with stone fruit forward British yeast character. Finishes with a pleasant alcohol warmth.
- Summer Slammer : This P.O.G sour collaboration with Falling Sky Brewing was lactobacillus fermented with passionfruit, orange and guava. It will help you get ready for summertime!
- Yippee-Ki-Yay : Nordic and American yeast strains, along with Lactobacillus come together to produce a light, effervescent and vinous-like ale. A significant Mosaic dry-hop adds flavours and aromas of blueberry, tangerine and lots of tropical fruit.
- Summit India-Style Black Ale : Spicy, citrus-forward hops from the U.S. are layered over a unique blend of roasted malts to produce a powerful boot-polish black ale. Smooth flavors of mocha coffee, dark fruit and toffee are balanced by notes of citrus, pine and mint.
- Wild Sour Series: Smoked Gose : Brewed to celebrate the two-year anniversary for when we started brewing the very first batches in our popular Wild Sour Series in November 2013, this is a smoked version of our Leipzig-Style Gose (Here Gose Nothin’®) brewed with English Oak-smoked sea salt and mesquite-smoked malt for just a subtle touch of smokiness to add another layer of complexity in this sour ale known for its tart, citrusy, lime-like qualities and slight spicy note from added coriander. Cheers.
- Schneider Weisse Tap 5 Schneider & Brooklyner Hopfen-Weisse - Zymatore : A complex, heavily hopped, unfiltered German wheat bock aged in oak barrels once used to age Pinot Noir and Gin. Barrel aging transforms this brew into a glorious, vinous, wild ale. Bright, effervescent, sweet and sour with big funky wild yeast notes. Challenging, but rewarding.
- CASH : Golden yellow with a light touch of copper in appearance this IPA exhibits flavors of citrus with a dash of pine and aromas that boast punchy orange zest, red grapefruit and ripened pineapple.
- Nikolai Vorlauf - Cabernet Barrel Aged : We brewed this Nikolai Vorlauf Imperial Stout to be big, bold and strong, like a bear-hugging Russian wrestler. A thick body using oats and lactose is complimented by plenty of complex chocolate, cocoa, and caramel undertones. This variant is aged in luscious, cabernet barrels for months to add vinous oak and dark fruit complexity.
- Stardust IPA : With just a beer light to guide us, we have set forth on a journey that just may take us to Mars. Light and crisp candied fruit, apple, and tangerine aromas lift off the nose, leaving a spray of diamonds in its wake. Quaffable and refreshing, this IPA complements a spinning record and good company. We took it all too far, but boy, could he play guitar… 
- Unchained Series #17: Harvest Fresh IPA : Explore hops in their freshest, most natural state with Harvest Fresh IPA, Batch #17 in the Summit Unchained Series. Brewed with fresh hops picked at the peak of harvest from Washington’s Yakima Valley and Michigan then shipped directly to Summit. All yielding the complex flavors and aromas that only harvest fresh hops can provide. Created by Summit brewer Tom Mondor and available for only a short time.
- Blackberry Biére Du Pays : Blackberry Biére du Pays is our restrained approach to a fruited Saison. We added a thoughtful amount of Blackberries to our Biére du Pays to not cloud the nuances of our lovely, little beer, but to add a layer of soft fruit and color for a new experience. Our Missouri yeast and bacteria provide the layers of complexity to this farmhouse ale that was aged in wine barrels for several months before being naturally conditioned in this bottle. 
- Atomic Blast : Rare firkin made specifically for Philly Beer Week. This IPA is dry hopped with a new hop variety of Hallertau Blanc hops. Aroma is floral and fruity with passion fruit, grapefruit, pineapple, grape and lemongrass overtones. Tastes of citrus grapefruit, lemon, orange peel, and pines.
- J. Wakefield / Bruery Terreux Taking My Talents To: Miami : Imperial Berliner Weisse, 7%, dragon fruit, oranges and guava added
- Framboise Rose Gose : By adding rose hips to the boil and fresh raspberry puree at the end of fermentation, this kettle-soured beer is a mélange of flavors and aromas. With a light ruby hue, subtle raspberry fruit notes greet the nose and fall soft on the palate; tangy, hibiscus-like flavors mingle with the salty tartness of gose to create a uniquely complex and refreshing drinking experience.
- Dry-Hopped Sour : Complex and refreshing, this light and distinctly tart beer has been soured with a mixed Lactobacillus culture and fermented with Saccharomyces Trois wild yeast. To balance the acidity we generously dry hopped with new German hop varieties Mandarina Bavaria and Huell Melon which showcase aromas of summer fruit.
- TRES : TRES is the name of our special seasonal that celebrates our 3 year anniversary. This Belgian Tripel is 7.5% ABV and pours a deep gold color. The nose is a complex marriage of citrus fruit, clove, and a floral sweetness. The taste is sweet and complex with a soft malt character that fades into a subtle, quick succession of lemon zest and spicy hops. The finish is dry and clean with a light, lingering complexity that prompts another sip. TRES is a little sneaky as the ABV is impossible to perceive by taste alone. It’s a beer that we’re proud to use to celebrate our 3rd birthday, and we hope you’ll join us in enjoying a glass!
- Grove : Our tart saison fermented w/ grapefruit & myer lemons!
- Bière De Garde - Farmhouse Ale : Beer for keeping, this French/Belgian farmhouse ale is brown in color, malty with a complex fruit and spice character. Crafted with a Trappist Ale yeast 8.50% ABV and 25 IBU
- Mt. Nelson : Hopped With 100% Nelson Sauvin Hops. As You Contemplate The Path To The Top Of Mt. Nelson Think About The 2.5 Lbs. Per Barrel Of New Zealand Nelson Sauvin Hops In This Precarious Pale Ale. Ruminate On The Diesely, Tropical Fruit And Melon Aromas. May We Suggest A Word Of Advice: It’s Not The Summit Of Mt. Nelson You Need To Worry About, Rather, The Way Down To The Bottom.
- Make It Wit Chu : Belgian-style wheat beer made with grapefruit.
- Very Hazy : A kicked up version of Haze, Very Hazy is a beer that makes us Very Happy! Very Hazy conveys all the beautiful flavors of Haze, but with even greater depth and potency. Pungent grapefruit notes greet your palate while an underlying current of soft tropical fruit dances in the background. Just the right amount of bitterness balances the sweet fruit flavors while a velvety soft mouthfeel make you easily (and dangerously!) forget this one clocks in at 8.6% ABV. A huge and beautiful beer that maintains softness and delicacy - a beer we are very excited about!
- Wood Shed Smoked Porter : The Wood Shed Smoked Porter is unique in many ways. The smoke flavor comes from a delicate addition of a very special malted barley that is smoked with Beechwood after the malting process is completed by the maltster. This particular malt originated from Bamburg, Germany. You will also notice that, like our Stout, we do not use malts that impart a dry, burnt-coffee taste in our Porter. We like it smooth, balanced, exhibiting a plethora of harmony complemented with a touch of smoke for the cooler Colorado Winter weather. And lastly, our Porter is not Black and it is not Brown, but rather it follows the traditional color guidelines for a classic Porter which is to say that it is a deep, dark red-stained Mahogany color. Look at the very edge of the glass and hold it up to a light and you will see what we mean!
- Demon Seed IPA : Auburn hues transcends this enticing brew. Carried by a full complex malt body, the luscious hop aroma will captivate you before you grab your glass! Beneath a Black Sky... Demonseed awaits! Be prepared.
- Ramstein Double Platinum Blonde : Rich and deeply flavorful, this is Weiss Beer boosted to the next level. The spicy clove and apple aromas intertwine with the rich flavors of barley, wheat and complex yeast character. This is an original style of beer. Hops and a subtle fresh fruit character balance.
- There Is Dark : Brewed with oats and debittered black malt. Hopped intensely with Motueka and Simcoe. There is light, there is dark, and then there is evil. Remain in the dark. -Notes of tangerine, fresh malt, slight toffee, lime, mango jelly, and darkness.
- Passionate Embrace... (Uncomfortable Silence) : Hoppy Saison with passion fruit for Pittsburgh Craft Beer Week 2016. Collaboration with Grist House, East End, and Roundabout.
- Sick Cider : Sick Cider is a rustic beer-cider hybrid made with unfiltered and unpasteurized Fuji apple cider and American 2-row barley malt. The blend of cider and grain-based wort was then fermented entirely with a culture of funky and wild Brettanomyces Bruxellensis yeast, most widely known for helping to create the beautiful Lambic ales of Belgium. Once primary fermentation was completed it was transferred out of stainless tanks and into a variety of oak barrels where it laid to rest for four months to develop character and complexity. Finally, once ready, the beer was then carefully blended to showcase the unique qualities of each barrel and primed with a little more cider before being racked into kegs to naturally carbonate and condition. Sick Cider has complex notes of white grape in the nose with earthy wood, vanilla, and spice contributed by the barrels. Slightly sharp and acetic upon first sip, the flavor is then smoothed out with nuances of fresh pressed cider, lemon zest, musty chardonnay, tannic oak and vanilla.
- Darth Lager : Come to the Dark Side. Black lager with mellow roasted chocolate and coffee favors. Hopped with Hallertau Mittelfruh.
- Dinosaur World : Our 1st-ever hazy DIPA is a thunderous avalanche of hop-sorcery that’s going to crash into your taste buds like a 100-megaton payload of pure pleasure. Boatloads of Citra, Amarillo, and Mosaic hops and fermentation with London III yeast came together to make this beer a tropical marvel, with outrageously tasty notes of passion fruit, tangerine, and stone fruit.
- Murder Of Cranberries Stout : We find that our stout is not exclusively for the dark beer drinkers. Subtle coffee and chocolate notes balance pleasantly with cranberries, giving the beer a somewhat tart finish. This beer holds both rich flavors and body.
- Fooz : Fooz is a wheat beer, aged in stainless with oak staves for 3 months before adding massive amounts of peaches from 3 Springs Fruit Farms, and allowing another few months for it to ferment to dryness. It’s a delicate, aromatic expression of peachy goodness, with a nice light acidity.
- Moa Noir : Moa Noir is a traditionally brewed European style dark lager with an abundance of distinct aromas and flavours. Chocolate and richly roasted coffee beans dominate the senses with a full flavoured palate, giving Moa Noir a long smooth finish. A perfect beer for the changing of seasons.
- Hong Kong Beer : Hong Kong Beer, the Brewery’s flagship label is Hong Kong’s only handcrafted beer brewed to a traditional German lager recipe. The use of a single type barley brewing malt, Hallertau hops and Weihenstephan yeast forms the basis of this elegant beer, providing it with a light fruity aroma and a notably soft palate. A long gentle lagering maturation period completes the beer with a smooth body and a refreshing finish. Hong Kong Beer it is a thirst quenching beer ideal for hot summer days and is a perfect compliment to all Chinese food.
- Lord Rear Admiral : Three Floyds version of an ESB, this deep amber ale has a complex malt sweetness and pronounced apricot hoppiness. Named after Admiral Lord Horatio Nelson.
- Hawk Mountain Ale : Our Irish-style ale with a medium body and tasty finish. Dark in color but surprisingly clean and easy to drink.
- Drunken Weasel : A dark German-style wheat beer characterized by a distinct sweet maltiness and a dark chocolate-like character. Fruity and phenolic esters are evident but subdued, hop bitterness is low while hop flavor and aroma are absent.
- Key Lime Pie Berliner : Freshly squeezed key limes, vanilla beans, and just a hint of graham cracker pair perfectly with the tart wheat base beer in our Key Lime Pie Berliner. We colored a bit outside of the lines to recreate our favorite summer dessert, adding over 250 lbs of key limes for the signature citrus character, lactose and vanilla beans for the pie filling, and just a hint of graham cracker for the crust. Tart, creamy, complex, and dangerously drinkable KLPB is the perfect way to kick off the summer!
- Kichesippi Natural Blonde : We brew our beer in small batches to ensure that freshness and quality are never compromised. Our focus is to offer our customers a balanced complexity of aroma and flavour. Natural Blonde uses 3 different Malts and distinct hops in order to achieve this goal. The result is a refreshing Blonde beer with 26 IBU's and 4.9% alcohol.
- Mosaic Papaya Pale Ale : Our Mosaic Papaya Pale Ale is a lighter beer with a refreshing breeze of flavor, obtained from the Papaya natural fruit flavor being introduced during conditioning.
- Hopped-Up Goose Juice : American hops dominate this Rye I.P.A, creating an assertive citrus and passion fruit character. An old-world flavor from rye malt adds the perfect compliment to Goose Juice’s big, satisfying hop flavor and aroma. Originally home-brewed by our beloved brewer Goose, its wonderful combination of flavors inspired us to brew this specialty I.P.A.
- Sunset : Brewed with house-toasted wheat from Camas Country Mill, there’s plenty of toasty, nutty and malty tones in this silky smooth Red Ale. Balanced with Nugget and Fuggle hops and our spring house yeast, there are plenty of layers of fruitiness and maltiness, with just enough bitterness to keep it crisp. Savor the flavors as the sun goes down and this balanced brew takes you into the dusk on a warm spring evening.
- Stout Affective Disorder : Our winter seasonal, Stout Affective Disorder is a dark beer for dark days. Roasted malt is expertly balanced against hop bitterness, yielding a short finish to this highly sessionable beer. Roasty, toasty, and a little nutty, it will also compliment such foods as squash, grilled steak or crème brûlée.
- Perjury : Double dry-hopped Double IPA, fabricated from a malt bill featuring two-row, pilsner malt and oats, and an intense, fruity hop character forged from heavy doses of Simcoe, Citra and a dash Huell Melon.
- How's Yer Capacity? : A double dry-hopped IPA. Brewed with 1,000 pounds of pink guava and grapefruit. 
- Espresso Oak Aged Yeti Imperial Stout : A generous infusion of Denver's own Pablo's espresso adds yet another layer of complexity to this beer, combining with the vanilla oak character, intense roasty maltiness and bold hop profile to create a whole new breed of mythical creature. It's official: You can now have Yeti with breakfast.
- Brandy Barrel Peche : Historically, fruit-infused sour beers were a way of preserving the summer harvest. In that tradition, this blonde ale was added to brandy barrels with high-summer peaches, hand-picked by the Loewen family at Blossom Bluff Orchards in Reedley, California. We aged this liquid gold for six months until we needed a reminder that summer will come again. Pair with Prosciutto, crusty bread and fruit preserves.
- Gose : Modeled after the tart beers of Northern Germany, this low ABV beer is the perfect drink for anytime of the year. Crisp, fruity esters play alongside the salinity from Himalayan pink salt and the spice of ground coriander. With pilsner and wheat malts as a backbone, we allow the use of Lactobacillus to really shine through, providing you with an easy to drink, refreshing tart ale.
- He'Brew Jewbelation 18 : Our 10th annual tribute to extreme beer: Jewbelation 18 was indeed brewed with 18 malts and 18 hops and finally dropped to a "sessionable" 12.4% abv so we can sell to all our states. This year's monster emerges as a big, big juicy dessert of a beer with rich sweet blasts of chocolate and mocha with layers of dark fruit notes of black cherry, date and fig. More like a port or sherry - hints of what might come from barrel aging - but this year just from the enormous amount of malt, piles of hops and the 8 weeks of fermentation and aging that brought our 18th anniversary creation to life. If your "sessions" include sharing precious ounces of huge beers with good friends and family, grab one now, save one for later, and enjoy!
- Colonial Brown : This is based on the recipes of colonial America. Using corn and molasses, it was fermented with a British ale yeast and used farmhouse free-rise. This gives the beer a slight fruity nose and a crisp finish that is buoyed by the sweetness of the molasses. Lastly, the finish is slightly smoky with a nice hop bite. Hazy and unfiltered, this is close to start the colonist drank in the 17th and 18th century.
- Full Code (RX) Triple IPA : Definitely not for the faint of heart, our Full Code Triple IPA is sure to get any hop lover’s heart racing with expressive flavors and aromas of berry, passionfruit, pineapple and hints of pine layered over a medium-bodied and dry-finishing malt backbone. You won’t need your defibrillator here at 5 Rights. We’ve Got Your Remedy!
- Intelligent Machine : Brux Pale ale dry hopped with Citra and Azacca, fermented with Brux Trois, mildly tart, hazy and fruity.
- Scratch Beer 173 - 2015 (Pale Lager) : Arguably more than any other beer, the Munich Helles Lager represents the deep-rooted tradition of German brewing. The word “Helles” (German for “light”) offers the perfect descriptor for this pale, straw-colored, thirst-quencher of a beer. With origins in Munich, Germany, the Helles style displays some attributes of a Czech Pilsner, such as its biscuity malt profile. Tettnang (a floral, slightly spicy German noble hop variety) lends itself to this traditional style, while Magnum hops add a touch of citrus fruit. Simple yet artistic, Scratch #173 offers an abundance of rich, malty sweetness with an underlying spicy citrus note, then finishes slightly dry and clean on the palate.
- Homegrown Pale : Brewed with locally sourced malt and Yakima grown hops, this Washington pale ale shines bright with flavor. Skagit Valley Maltings Copeland Pale Malt with a touch of SVM Cara 30 provide a rich maltiness and also a crisp clean finish. The hops, Denali, Simcoe and Ekuanot give the beer a fruity hop aroma with subtle tropical fruit flavors.
- Scratch Beer 24 - 2009 (a.k.a. Van De Hoorn) : They took a batch of Troegenator wort and fermented it with a peppery yeast (one of the two yeast strains in Mad Elf) to create a more complex, spicier Troegenator. At a bold 9% abv, this beer is "liquid bread" for sure, and maybe a Christmas cookie as well.
- Funky Face: White Grape / Hallertau Blanc : The newest member of the Funky Face collection is FF White Grape Sour Ale, a refreshing riff on a light–body white wine. Post fermentation additions of Hallertau hops and grape must create the fruity character that blends perfectly with the snappy tartness of this sour.
- Who Needs Passion Fruit : Double IPA with Passion Fruit
- Resurrection Doppelbock : Resurrection Doppelbock - a complex malt recipe lends flavors reminiscent of raisin, caramel, and licorice that melt into a smooth lager finish. Best served at 48 degrees Fahrenheit. The beer's name and artwork combines the German tradition of using goats on bock labels with Norse mythology. According to lore, two goats pulled the Norse god, Thor's, chariot when he travelled. Each night he would eat the goats and resurrect them the following day with his magic hammer, Mjolnir.
- Scratch Beer 172 - 2015 (Chocolate Stout) : One of the most eternal yet simple Valentine’s Day presents is a good old fashioned box of chocolates. For Scratch #172, we’ve liquefied this traditional gift into a sweet, velvety Chocolate Stout. Brewed with a hefty malt bill including chocolate malt and roasted barley, we also added oats for a silky texture as well as lactose and dark chocolate to sweeten the pot. To balance the sweetness, we used a variety of American hops to introduce a tinge of citrus and pine in the aroma as well as subtle spicy, earthy bitterness. Finally, we conditioned the finished beer on cacao nibs and vanilla for a week, giving this stout a luxurious body and rich, decadent finish. Scratch #172 is sure to entice you and your sweetheart to visit our Tasting Room and share this delectable treat.
- Dunkel : A rich hazel colored German-style dunkel beer. full bodied, dark brewer’s malts with a subtle smokiness combined with a touch of spicy hops.
- Death Wish Coffee IPA : We took the best of both Adirondack Brewery's Iroquois Pale Ale and Olde Saratoga Brewing Company's OSB IPA, then added double our normal amount of Citra, Centennial, Crystal, and Cascade to the dry hop - then topped it all with a bunch of Death Wish Coffee Co. coffee beans. This IPA has a big hop nose that is brightened with dark roasted coffee. A full flavored beer with a balanced malt body, lots of hops, and the restrained finish of rich, dark coffee. 
- Newport Storm - Luke (Cyclone Series) : There is a common theme here at the brewery: we have many that have first names as last names. Luke is no exception, named after Derek Luke, our brewmaster. We came up with the Indian Red Ale and wanted some serious carmel malt overtones to shine through on this. Further it was dry hopped to perfection with copious quantities of Amarillo hops after fermentation. Look for sweetness backed by characteristic Amarillo grapefruit overtones.
- Double Shot - Columbia La Primavera : We’re excited to release the latest edition of our favorite stout with a tremendous coffee roasted by Heart Coffee Roasters - Colombia La Primavera. This lot is absolutely gorgeous, with rich flavors of chocolate and winter spice balanced by a tangy acidity. As it warms it reveals complexity, offering notes of chocolate covered espresso beans, dark caramel, and brown sugar. A soft and distinct bean for sure! A luscious, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike! This series continues to be a joy for us to brew, and - we hope - for you to enjoy!
- Asterisk IIPA : Our award winning 2x4s cousin. The * double ipa uses copious amounts of mosaic hops that give this beer strong notes of tropical fruit, stone fruit, mango and berries. Brewed with a blend of Great western 2-row, light crystal, mosaic hops and some top secret stuff.
- Unihopper With Experimental Hop #E05256 : The Unihopper is our single-hopped pale ale series. As you might imagine, it's a bit of a hop-bomb--and that is exactly the point. Each time we brew the Unihopper, we use the same sturdy pale ale base as a launchpad to showcase an individual hop variety. Your taste buds have been warned. This batch features e05256, an experimental variety from Hopsteiner. It features bright citrus, dark berry, and slight resin and currant aromas. As per usual, this hop character rests in balance with a bready malt backbone.
- Fly With Me - Apricot : 100% natural fruit beer
- Hermitage : A strong dark ale aged in wine barrels.
- Arcus Pilsner : O, Draw your feathered flame, line up your mark, let golden arrows trace with brightest daylight our earthy dome, and chase away the nightly darkness. Now loose your fetchings! Fire! Release your spark! From higher still, let rays now take their flight! That we may gaze upon your golden grace, SHINE BRIGHTLY ARCUS!
- The Butcher : Inspired by Red Apron Chef Nathan Anda’s Delicious Half-Smoke. Dark & Strong Lager Brewed with 10% Red Apron-Smoked Malt (Smoked over a Blend of Apple Wood, Cherry Wood & Hickory) & Seasoned with the Red Apron Half-Smoke Spice Mix (Nutmeg, Black Pepper, White Cardamom & Cayenne). Brewed with a Decoction Mash.
- High Society : Rich & complexly malted Barleywine brewed with 7 different malts. Intense bready, toffee, raisin & caramel flavors; suggestions of Fig Newtons & Tootsie Rolls. Blend of U.S. & British hops offer balanced dryness. Lagered for 5 weeks.
- Brewbaker Berliner Weisse : The old-school, 2.5% Braubäcker Berliner Weisse is triple-fermented, with Saccharomyces, Brettanomyces, and Lactobacillus. The result is a characterful, complex, funky and hugely drinkable fruity quencher that surpasses the stuff once commonly poured in post-war Berlin–and you can leave out the syrup! Post-2010 there has been a welcome beer boom has going on in the German capital, and for us, this blessed revival is it’s most important development.
- Wheat Porter : Dark as night, black as motor oil, this beer is an nontraditional porter which is brewed with 50% wheat as a grain bill. Due to the easy drinkability, the ABV is 6.5%. Popular American/New Zealand aroma and bittering hops are used in the production of this ale.
- A Zone : Brewed for the Mount Hood Meadows 50th Anniversary. For 50 years, Mt. Hood Meadows has been getting folks down the slopes. In their honor, we offer this crisp and exhilarating IPA. Bright citrus carves through a forest of fresh bread and fruited pine, making any session on our home mountain a bluebird powder day. 6.8% ABV, 72 BU
- Red Rover : Red Rover is a succulent and overly hopped imperial red ale, bringing a fierce malt richness to stand up to an assertive, almost ludicrous hop profile. The complex play of sweet versus bitter is courtesy our our homebrewing friend Vince at Binge 'n Brew. We took his idea, got together, and brewed this batch of awesomeness. So, here ya go. We're sending it on over!
- Ten Penny Ale Reserve : Ten Penny Ale Reserve the much stronger version of our original Ten Penny recipe. This beer is a dark brown ale, topped by a thick, loose tan head. The smells of roasted grain and toffee are the first things you will notice with your nose when you crack open the bottle. The tasting experience begins with a splash of caramel like flavor on the tongue, but quickly melds into a full bodied roasted-malt taste. As you savor this fine ale you will also encounter subtle hints of chocolate and a smoked-malt essence. After you have finished your bottle you will realize this beer is truly a wonderful merging of high alcohol content and rich full body flavor that will make you want another pint to drink.
- Nickel Brook Maple Porter : A fragrant, dark ruby porter, brewed with a blend of six malts, toasted barley and infused with pure, dark Canadian maple syrup. The result is a complex mixture of roasted malt and maple syrup flavours and aromas.
- Bricolage : This complex yet easily drinkable ale was brewed with 9 different types of malt and grain: pilsner, wheat, rye, oats, rauch (smoked), munich, Special B, caramunich, and aromatic. Along with those, Buckwheat honey, sorghum syrup, dark Belgian candi syrup, and molasses were added in the kettle along with Grains of Paradise, Long Pepper, and Rosea root powder, and a special unnamed variety of hops from the Pacific Northwest, which are yet to be put into production. It was then fermented with two types of yeast, including one from Belgiums most popular Saison brewery. The marriage of all of these various ingredients resulted in Bricolage, a delicately nuanced ale that leaves one discovering new flavors with each and every sip.
- PM Dawn W/ Barrington Ethiopian Nigusse Lemme Coffee : n another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, we bring you a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Rye Wine : This Rye Wine pays homage to the English Barley Wines that preceded it. This Rye Wine has been aged in Bourbon Barrels. It has a quaint, alcoholic warmth, low carbonation, fruit undertones and is brewed with nine different malts including Caramel Rye Malt; an extremely unique malt that lends itself to the exquisite malt profile of this ale.
- Exorcist : Exorcist is a devastating foreign extra stout. This beast pours black as Satan’s heart. Barrages of exotic fruit follow the immediate intensity of dark chocolate malt; making the consumption of this beer a breath-taking affair, rendering your taste buds possessed. Bold in body, rich in flavor, with a dry finish, Exorcist is a testament to Local Option Bierwerker’s ability to make balanced beers of any style or ferocity.
- Hop Disciples - Ekuanot : Hop Disciples – Rotating Hop Project takes a bright, clean IPA and puts a different hop variety at the forefront of the sensory experience every year. The 2018 release features Ekuanot, which features a strong tropical fruit flavor with aromas of citrus and herbs. Hop Disciples may look tough on the outside, but with its golden blonde hue and approachable 6.2% ABV, we promise it’s a lover not a fighter.
- Half Full Bright Ale : Half Full’s gateway beer is a crisp and refreshing Blonde/Pale Ale hybrid that is perfect for any palate. This unfiltered beer has a light body and a citrusy grapefruit aroma, making it sessionable and approachable – the perfect year round offering for whenever you feel like living in the moment.
- Lagunitas / Short's - Passion Grass : We had a Joint Session with our friends at Short’s Brewing in Bellaire, Mich. to create this smooth and drinkable 4.6% ABV West by Midwest Ale. With some passion fruit juice added for that pleasant summery-ness and rounded off with a special zing of lemongrass, it’s best imbibed with your ‘buds … it’s good to have friends.
- Water Spout Milk Stout : Water Spout Milk Stout pours a dense, coffee-colored head of great retention with pleasantly chocolaty, and coffee flavors. Both rich and soft with a minor crispness, the present sweetness of the lactose compliments its mild roast making it dark, delicious and easy to drink.
- Ground Control Imperial Stout : Ground Control boldly combines local and out-of-this-world ingredients. This rich, complex Imperial Stout is brewed with Oregon hazelnuts, star anise and cocoa nibs, and fermented with an Ale yeast that survived a trip to space and back. Mankind will enjoy the sweet finesse of this beer that only fares better with time.
- Half Mast QIPA : The goal was to create a beer with flavor, balance and body at only 2.8%, a quarter IPA, QIPA if you will. Heavily hopped but with low bitterness this beer pops with notes of mango and grapefruit. The perfect summer beer.
- De Molen / Tired Hands Lost & Found : 100% brett fermented India Dark Ale.
- World Game : This wildly delicious send-up to the classic Belgian Pale is a testament to why the style is so universally beloved. Sessionable yet stunningly complex, the Belgian yeast absolutely sings over a subtle, herbal hop bill before wrapping up in a clean, dry finish. The moderate ABV is a serious bonus, because you're probably going to want another one.
- Late : Late is an American Pale Ale that carries aromas of grapefruit, peach, and mango from the hops along with a refreshing bitterness, soft grainy malts, and a smooth finish. Late is so named because many craft breweries come out with an American Pale Ale as a first offering in their line-up, but we waited over half a year; and the technique for producing the hop aroma and flavour in this beer is called late-hopping. Better late than never, right?
- Library Rattlesnake Rye Pale Ale : By using an exact amount of rye, a grain seldom found in micro-brewed beers, the RyePA acquires its signature taste. Made with four varieties of US Pacific Northwest hops and a generous amount of specialty malts, this beer offers a complex malt/hop flavor that is both aggressive and well balanced.
- Vanilla Bean Porter : Vanilla Bean Porter is an American Porter style dark beer with a rich vanilla, chocolate and coffee flavor. 120 Madgasgar vanilla beans go into the porter.
- The Golden One : A luscious, fruit double IPA dry hopped to extreme levels with El dorado hops from the Yakima Valley. Firm bitterness and explosive fruit notes.
- (512) Wild Bear : (512)'s first excursion into the world of so-called wild fermentation, Wild Bear's origins lie in our Fall seasonal, BRUIN. After primary fermentation, we added Brettanomyces yeast and Pediococcus bacteria cultures, and aged the blend in new oak barrels for over 10 months. This combination of wild "bugs" and barrel aging gives (512) Wild Bear a complex and enticing aroma of tart cherries, oak, and a touch of barnyard "funkiness", a crisp, tart flavor that will intensify with age, and an effervescent, oaky finish that leaves the palate clean.
- Boom Session IPA : A light, easy drinking and refreshing beer with a good malt backbone balanced with tropical fruit aromas from Amarillo and Simcoe Hops.
- Tangled Vine : Pucker Up! Acidulated malt provides a platform for cranberries, sour cherries and strawberries to produce a tart fruit ale that's dry, bubbly and eminently drinkable.
- Boujee Brandy Ale : A wild Brandy barrel fermentation using dried apple & pear slices resting with raisins for inoculation. Hopped lightly with pacifica and fuggle. This beer is dry in body, sweet and fruity with a pear cider crispness with hints of Brandy and light oak. 
- Buzzerkeley Red Label : Buzzerkeley Red Label is the sociability of beer and the sophistication of wine. Fresh-pressed Napa and Sonoma red wine pomace give depth to the effervescence of Sparkling Ale (a.k.a. beer fermented with wine yeast). Boysenberry, dark cocoa, and rye spice shine through layered tannin structure. Fruit-forward and dry, this ale blurs the line between beer and wine.
- Gweilo Pale Ale : With our Pale Ale, we have combined the crisp and refreshing characteristics of a lager, the citrusy aromas of tropical Asian fruits and the flavour of a light ale. Gweilo believes this Pale Ale could be the catalyst to help the people of Hong Kong upgrade from tasteless big brand beer, to fine craft ales.
- Can't Get Enough Of Your Love, Babe : Imperial Brown Ale with Dark Chocolate and Chilli Peppers 
- Juicy IPA : All the hop flavor you want without the lingering bitterness, this Juicy IPA features Galaxy, Citra, Huell Melon and Hallertau Blanc hops. Deliciously dank aromas of tropical fruit and citrus are complimented by a tropical storm of flavor.
- Fly With Me - Sour Cherry : 100% natural fruit beer
- Collective Arts / Aslin - Hot Pink : Crisp, bubbly, and utterly bursting with hops, with the aroma and flavor of pineapple and passionfruit, this Brut IPA was brewed with Aslin Beer Company (VA).
- Carmela : Carmela Is Fruity But Spicy And She Has An Elegant Nose. She Likes The Finer Things In Life. From The Outside She May Seem Like A Sweet Golden Gal But A Closer Encounter Will Reveal Her True Nature, A Dry Queen Bee.
- Summit Unchained #26 Westie 7th : A Belgian-Style Dark Ale, Rich Mahogany In Color
- Easy Jim : Double dry hopped with notes of lychee, passionfruit and melon.
- Peak Organic Hop Noir : Hop Noir is a delectable Black IPA, dripping with piney, aromatic Centennial hops. The malt base is dark and rich, anchored by organic black malt. This provides a strong foundation for the extravagant kettle hopping and dry-hopping that this beer experiences. Enjoy with a night-light.
- Market Fresh Saison #14 : Brewed with Passion Fruit & Hibiscus.
- Noble Prize : Inspired by our very first collaboration project, Noble Prize Imperial Pilsner is brewed using a starkly simple recipe combined with a painstakingly complex brewing process resulting in an imperial pilsner of subtle elegance and delicately balanced contrasts. A grain bill composed of 100% Pilsner malt makes a clear, yet restrained statement, answered by Saaz hop bitterness, echoes of which linger in the dry, crisp finish.
- Hugh Malone : Hugh Malone begins with a grain bill featuring a blend of Maine grown barley, imported Pilsner, and raw wheat malt. At the beginning of run off, we add a portion of hops to the sweet wort in the kettle; a technique known as "first wort hopping". As the boil begins, a generous amount of Chinook hops are added for bittering. Later, in the whirlpool, the beer is hopped with a blend of Centennial and Amarillo, for aroma. This same blend is used, post fermentation, to lend additional hop character to the finished beer. The result is a complex brew with a malty palate, intense hop aromas, pronounced bitterness and a pleasantly dry finish.
- Tribute Tripel : “This is the greatest and best song (beer) in the world… Tribute.” Not only are we huge Tenacious D fans, but we’re also huge Belgian Tripel fans, so this is our “Tribute”. Brewed with a whole lot of Pilsen malt, Hallertau and Saaz hops, as well a pinch of coriander and bitter orange peel, Tribute has a soft malt backbone that’s paired with a fruity, citrusy flavor, and spicy, yet not over done phenolic character imparted from our use of an authentic Belgian yeast strain. At 9.3% ABV the alcohol is well hidden and very deceptive, and the dry finish will leave you eager for more."
- Hopperstad Series: Azacca : Azacca is the ancient Haitian Voodoo god of agriculture. It’s said that he was a simple, barefooted hillbilly that watched over the farmers and their crops. The hops variety that bares his name is a dwarf hop that has intense tropical flavor and aroma with notes of citrus, ripe mangos, orchard fruit (pears & apples) and pine needles.
- Help Yourself : Rustic saison aged in guava and passion fruit barrels.
- Dark Horizon 4.5 : Bragging about own achievments is arrogant, but we need to talk about this one: Dark Horizon 4.5. This time we have surpassed ourselves! We kept a few hundred liters of Dark Horizon 4, aged it in Whisky barrels and you are looking at the result right now: An Imperial Stout on steriods, with all the wonderful flavours from old oak whisky-barrels!
- Cognac/Bourbon-Barrel-Aged Coffee Chocolate Dark Hollow : Dark Hollow that has been racked from bourbon barrels into cognac barrels on top of tart cherry and sweet cherry puree, Ecuadorian cacoa nibs, and coffee beans from Bali that were roasted and ground by Nelson County Trager Brothers coffee.
- 300 Six Packs Imperial American Stout : For our 300th batch since opening we went a little crazy. Roasted barley, Dark Crystal, & Chocolate malt. Hopped with Centennial & Citra. Dry hopped with Citra & Amarillo. 4+ lbs of hops per barrel! This beer will conquer the enemy with a small number of warriors. Good looking, ripped warriors.
- Dog Tag Lager : Premium pale malt brew created with faint trappings of Munich and Crystal malts for a rich, complex beer that is lighter in body, clean and refreshing. The inspired use of superior hop varieties in this pilsner-style lager imparts a pleasant, slightly spicy, crisp and balanced finish that is sure to impress.
- Thrill Of Victory : When the Portland Timbers made it to the MLS cup finals against the Columbus crew, a bet was placed between Widmer Brothers Brewing and Columbus Brewing. The winner got to brew a winning team-inspired brew at the loser’s brewery. We all know what happened next. But it is not all about winning and losing, so we (the winning brewery) invited Columbus Brewing (the losing brewery) Here to do a brew, because in the end it was all about civic pride (winning) And brewer v brewer fun (humiliating loser.) the result of the first brew is called the Thrill of Victory, a Cascadian Dark Ale filled with the flavors of a championship.
- Thing 2 : Brewed for the 2011 Beer Advocate Belgian Beer Fest. Light chestnut in appearance, this medium bodied ale has an aroma consisting of tropical fruits, licorice and sweet nougat. The clean flavor is a great compliment to the candy finish.
- Room For More : This limited release barrel-aged sour ale features over 2,300 lbs. of stonefruit from our friends at Masumoto Family Farm. After hand-cutting the juicy, ripe fruit with care at Bruery Terreux, we split a portion of our oak-aged sour blonde ale into two components: one to age a combination of three varietals of peaches (Flavorcrest, Spring Lady and Suncrest); the other to age a combination of four varietals of nectarines (Le Grand, Rose Diamond, Spring Bright and Summer Grand). After both components aged with the fruit and underwent a secondary fermentation from the additions, we blended them back together to achieve the ideal tangy flavor (and a satisfying, fuzzy feeling). Grab a glass and pull up a chair - we present to you Room for More.
- Holy Cow : Rich and satisfying, this extraordinary Cranberry Milk Stout epitomizes the age of creative brewing in Great Britain. Delicately balancing the subtle sweetness of the milk and sharpness of the fruit, Holy Cow is uncompromisingly original. You’ll be drinking this until the cows come home! Available in keg and bottle.
- Be Still : Brewed with roasted barley and biscuit malts, the structure of Be Still comes from acid produced by Ale Apoth's house lactobacillus as well as acid from brettanomyces and pediococcus activity during 10 months of slow aging in rye whiskey and fresh pinot noir barrels. The rye and wine portions are then blended together and allowed to sit on cascara (the sun-dried exterior fruit of the coffee bean) and cocoa nibs... adding depth and complexity.
- Volume Seven: The Scientific Method : It is a wheatbeer, like volume one, with sumac, harvested from around my house and citrus (grapefruit), obviously not harvested from around my house. This beer represents a year so far of Wunderkammer beers and a return to some of the same materials I have worked with in the past, changed and re conceived. 
- Oscar Worthy Coffee : This is a single source from one special foeder of perfectly soured Oscar, our dark base beer. We then 'dry beaned' it with 50lbs of freshly roasted coffee from The Bean Cycle of Fort Collins.
- Fog Warning : Double dry-hopped with New Zealand Nelson Sauvin and Centennial hops, immerse yourself in incredible fruity flavors, and citrus aromas. Appetizing and crushable - you’ll find yourself signaling for another pint!
- Overstable : Brewed with unmalted Wheat and Acidulated Malt, Slightly Tart, with fruit forward American hops.
- Apricot Wheat Ale : Great just got better. This is our classic South German-style Hefeweizen with apricots added. Fruity aromas and flavors of apricots, clove and vanilla and a fuller mouth feel with appropriate yeast haze.
- Dark Harvest : An old favorite back again. A blend of Bourbon barrel aged strong dark sour ale blended with barrel aged fruity and funky wild Saison. The end result is a dark farmhouse ale with a moderate acidity, nuanced yeast expression, and soft barrel notes.
- Raspberry Saison : Hints of ripe red raspberries balance sweet caramel aromas followed by a full malt body and dark, jammy raspberry finish.
- New Zealot : Crisp & Well-Hopped Pale Ale Brimming with Floral, Vanilla, Orange Marmalade Passion Fruit & Lime Aromatics. Brewed with New Zealand-Grown Pacifica & Wakatu Hops & Dry-Hopped with Australian-grown Galaxy Hops.
- Bud Light Lime Cherry-Ahh-Rita : Bud Light Lime Cherry-Ahh-Rita combines the sweet, juicy taste of dark cherries with a fresh margarita twist. 
- Participation Trophy : We used Cryo Mosaic in the whirlpool to build the hoppy backbone of this beer. We then Dry-hopped it with Amarillo and El Dorado to add aromas of orange and grapefruit zest plus hints of stone fruit.
- Devil's Chair : Devil's Chair packs a sinister punch of bright, fruity hops and a dry, bitter finish that won't let go!
- Bourbon Barrel Aged Dark Lord (Pappy Van Winkle) : The 2011 bottled vintage of Bourbon Barrel Aged Dark Lord was aged exclusively in Pappy Van Winkle barrels. All draft and other bottle vintages (2006 swing-tops, 2012 bottles) should be reviewed here - http://beeradvocate.com/beer/profile/26/30184
- Car Seat : Strong with a lean malt character & complex hop aromatics featuring tropical notes & earthy spice, from newly developed Central European hops.
- Smashin' Fruit : Collaboration with Cellarmaker a blend of a hoppy pale ale and a golden sour beer aged in oak barrels with passion fruit.
- Hot Chocolate Stout : Brewed with chocolate malts and a touch of ghost pepper for a rich and satisfying Stout. Lusciously creamy, perfectly spicy, and pores dark with notes of vanilla, cinnamon and spice. Finishes warm and tingling
- Humble Noble : "Humble Noble is a tropical IPA brewed with Noble hops, making it Humble enough to be enjoyed in sessions. Humble Noble also has the enticing aroma combinations of citrus,fruits and spices.
- See You Next Tuesday! : A pale-amber beer with malted barley, wheat, Munich and Vienna malts, Chinook, Sorachi Ace, Cascade, and Simcoe, blended to create a palate of intense lemon/grapefruit/mandarin citrus, resin, and pine. Fermentation with our house Belgian strain augments the hop and malt character with complex spice and fruit.
- Emergency Malt Kit : With our second collaboration with our friends at Rhinegeist, we bring you respite from the chills of winter with a deeply complex, rich and malty lumberjack of a beer. This Scottish-Style Wee Heavy meets Belgian-Style Dark Hybrid descendant of Wee Muckle and Mastodon aims to embrace your palate in a flannely, chocolatey, enormously malty two-state bear hug and warm you to your core.
- Farmer's Reserve #2 : This barrel-aged ale is a celebration of the California autumn harvest. Brewed with heirloom pumpkins from La Tercera Farms in Bodega Bay, crisp Fuyu persimmons from Hamada Farms in the San Joaquin Valley and fresh ginger from the Santa Clara Valley, then aged for over a year in white wine barrels to create a deliciously complex wild ale.
- Galactic Fruitier Pellets : Bigger version of Fruity Pellets, dry-hopped with Galaxy, Citra, and Mosaic.
- Rise Up RIS : Our brewers collaborated with the team at Rise Up Coffee Roasters to select and roast a single origin, fair-trade organic Sumatra coffee specifically for this project. This beer is brewed to the strength of an imperial stout with a base of English Marris Otter malt layered with copious amounts of dark malts. The resulting beer was conditioned on more than 25 pounds of coffee lending a rich, espresso-like aroma. Coffee, dark chocolate, and roast characters are prominent in this velvety smooth and darkest of ales.
- Glacial Gruit : Gruit Ale. Floral, fruity, tart. Glacial Gruit was conceived and brewed collaboratively with members of the Alliance of Natural History Museums of Canada (ANHMC). Glacial Gruit is twelfth and last in a series of beers Beau’s has brewed with friends across the nation to honour Ottawa 2017, a year-long celebration of Canada’s 150th birthday
- Sucre Brun : A wild brown ale aged in a variety of oak barrels for up to three years. Complex notes of cacao, dried plum and cherry, espresso, semi-sweet chocolate and oak meld with a moderate acidity, brisk carbonation, and and a bright finish.
- Imperial Beatitude - Peach & Nectarine : We've gone big with our Beatitude Tart Saison in the name of charity, brewing an imperial edition of our Brettanomyces and Lactobacillus-stoked flagship sour ale for Beer to the Rescue (@BeerToTheRescue), a charity benefiting the Lupus Foundation of Southern California. French oak and sumptuous, freshly harvested organic nectarines and peaches from Masumoto Family Farms bring nuances of creamy, tangy cheese and stone fruit preserves that marry beautifully with spiciness from Belgian yeast. Enjoy this complexly delicious beer knowing a portion of proceeds will improve quality of life for sufferers of lupus, a chronic auto-immune disease affecting one-in-forty-five people throughout Southern California.
- Woozy Weizenbock : The darkest and strongest of the German "hefe" styles, this beer uses 50% wheat, several specialty grains, and a classic Hefeweizen yeast to produce a scrumptious blend of chocolate and banana. When you're talking about pairing beers with desserts, this one is at the top of the list. Awarded a Silver medal in the German-style Wheat Ale category at the 2014 Great American Beer Festival®!
- Marylan' with Pride : This is an all Marylan' collaboration with our friends at Chesapeake Malting, Deep Run Paw Paw Orchard and Black Locust Hops. This Fruited IPA brings together a wonderful aroma of Paw Paw fruit(very tropical)and citrusy Cascade hops which are complimented by a slightly sweet malt backbone. Expect flavors of banana, mango and pear just to name a few. A bright, citrusy note from the Cascade along with a moderately high bitterness then emerges from this brew, followed by a fruity, tropical finish. We are mighty proud of this beer just as we are about the State we call home!
- Scratch Beer 149 - 2014 (White Ale) : A perennial favorite here at Tröegs amongst co-workers and fans alike, our Belgian-style Witbier (or white ale) features a blend of wheat, oats, and malted barley along with spices, Belgian yeast and other juju to create a complex yet refreshing flavor. With a dense haze and foamy white head, our Witbier incorporates subtle tartness and a delicate orange aroma to complement the aromatic spices and distinctive LaChouffe yeast. An excellent summertime quaffing delight, Scratch #149 finishes dry and crisp.
- Parageusia7 : Parageusia7 is a Cabernet Franc barrel-fermented Ale that I brewed with malted spelt at Tired Hands Brewing Company. Parageusia7 is thirteen months old.I find Parageusia7 to be very lively and intense; Bone dry with a bright under-ripe stone fruit acidity, damp barrel character, and a refined apricot presence.
- Morlock : A balance of roasty dark chocolate and sweet, creamy lactose are the prominent flavors of this milk stout
- Fernet Aged Porter : Over the past year, we’ve collected empty Fernet Barrels from our friends at Leopold Bros. Distillery. Their distinct Fernet includes lavender, honeysuckle, ginger root, bitter aloe, dandelion root, rose petals, chamomile, and pepper. Inspired by the herb & spice flavors of this dark minty liqueur, we promptly filled the barrels with a rich porter. The roasty chocolate malt character is infused with hints of mint and licorice from the herb-soaked oak, creating a decadent flavor and aroma.
- Pulling Nails Blend #4 : Pulling Nails is our ongoing experiment in the art of blending individual threads of different beers to create one unique, complex, finished beer. Blend #4 further encompasses my love for soft, blond wild ales and Saisons. Threads for Blend #4 include:
- Sour Asylum #3 - Oud Tannenbaum : Sour Asylum #3, otherwise known as Oud Tannenbaum, is the third in our ongoing series of lacto-fermented sour ales. Lactobacillus is added to the brew kettle lending a mild acidity to this brown ale. And in the spirit of the season when carols are sung around the Christmas tree, this tart brown ale is matured on cedar enhancing the dark malts and imparting a dry cedar character to the finish.
- One Hit Wonder : Fruity esters and generous dry-hopping give this 9% ABV ale the aroma of tropical fruit while a touch of English crystal malt provides the perfect backdrop for tangy hop flavors of tangerine and mango. We brewed 200 cases of this small-batch one hit wonder.
- Strawberry Blonde : Using natural strawberries we have produced an easy drinking fruit beer using our blonde ale.
- De Manke Monnik : Called "Proefbier" (tasting beer) during development of the recipe, this beer is now known as "De Manke Monnik" (the limping monk). The Manke Monnik recipe has been revised since October 2012 and now uses pale ale malt in place of pilsner malt resulting in a slightly darker beer which also seems slightly more bitter than before.
- Abbey Normal : A Belgian Abbey Dubble, this is a dark amber-brown ale with a rich malty flavor and aroma that gives way to some hoppy dryness in the finish. Full, malty body. Aromas and flavors are derived from unique yeast strains. Dark Candi sugar is added during fermentation for added alcohol and flavor. It is brewed with Belgian pale, caramel, aromatic and chocolate malts & American Santiam & Simcoe hops
- Lineage Rye : Our series of New-England saisons continues with Lineage Rye, a wild ale featuring Valley Malt Danko Rye. This rare Danish rye grain provides a subtle and balancing malt backbone to compliment the complex characteristics derived from aging in oak barrels with our wild yeast blend. Lineage Rye is medium in body and pours a deep, yellow-golden hue with engaging aromatics of mild brett-funk, spicy fruit, tart lemon peel, and oaky-vanilla. Following the nose, flavors of tart citrus fruit, mellow sour berry, faintly funky must, and soft oak intertwine with a supplementing bready, rye depth. Lineage Rye will age nicely with nuanced flavors slowly developing over time.
- Saranac Chocolate Orange : Saranac Chocolate Orange is a limited edition small batch brew from our "High Peaks" series, a line of beers that are bigger, more complex and flavorful. Brewed as a full bodied robust Baltic-style porter with five different hops and four different malts, this beer pushes the porter style to a new level.
- Winged Nut : We affectionately refer to the first beer in our Revolution series of modern, American craft beer, as our unusual little bird. It’s a little on the flighty side @ 5.4% ABV, and it’s a little on the wacky side because we brew it with finely milled chestnuts (genus castanea …for you nut freaks), Willamette hops, and we ferment it with a Bavarian Weissbier yeast strain. All of these nuances contribute to its ‘nutty’ personality.
- Humleridderne : Brewed in collaboration with our friends at Evil Twin Brewery, this double dry hopped double IPA was brewed with 4 varieties of hop dust: Citra, Simcoe, Mosaic and Cascade. Pours hazy yellow, with thin white head. Dank tropical grapefruit aroma with big fruit punch blast.
- Schwarzbier : Literally meaning “black beer” in German, this delectably dark lager has a surprisingly light body with a delicious, dry, roasted coffee finish.
- Passion's Our Business... : Passion’s Our Business… is a Golden Sour Ale fermented with passion fruit and aged in red wine barrels from Bonobo Winery. Slightly hazy with a golden straw color, Passion’s Our Business… pours with a white head that dissipates quickly. Aromas of tropical fruit and a slight funk are accompanied by a cornucopia of tropical flavors ranging from passion fruit to pineapple. A clean, lactic acidity at the front is followed by a finish with notes of barnyard and oak.
- Aunt Sara : Imperial oatmeal stout with organic Mayorga Cuban coffee, cinnamon, vanilla, and dark maple syrup.
- Carmelized Pineapple IPA : Tropical fruit mixed with notes of roasted pineapple on nose and tongue. Rounded finish accentuates the fruitiness. The muddled sweetness of roasted pineapple is a gentle reminder that all fruit is not created equal. The hint of sweet tropical flavor brings out the best in this IPA.
- Iridescent : American Sour Ale, aged on dried apricots and ginger spice. Fruity aroma and taste with tart, yet dry finish.
- King Vienna Lager : This true to style Vienna Lager, brewed with Vienna malt, noble hops and classic European brewing methods, delivers an authentic taste and complex flavour profile. King Vienna is an amber coloured, medium bodied beer with an exquisite palate, complimented by a gentle creaminess and slight malt sweetness. The enticing toasted malt nose and gentle hop flavour rival the world’s very best Vienna Lagers.
- Gotham : Much like the name, this beer is plagued with an ominous past, and we brewed it 3 times before it finally made its way to the public. Dark, hoppy, and with a mind of its own, Gotham has put us through the ringer. If you want to know more (which you should), you can read the whole story on the blog.
- Siracusa Nera : This beer-wine hybrid started as a roasty Russian Imperial Stout fermented with Syrah grape must, then was aged in port barrels. It has flavors of dark cacao, coffee, stewed fruits with a tart, jammy wine notes.
- PB&J Hunahpu’s : Hunahpu's Imperial Stout aged on peanuts and fruit
- Cherry Chocolate Stout : A bourbon barrel-aged imperial stout with cherries and Belgian-chocolate added. Black/opaque in color, high in alcohol content, very robust with rich malty and chocolate flavor and aroma balanced with assertive hopping, fruity-esters and cherry flavors.
- 483 Pale Ale : True to the style, our pale ale is brewed with pale malt and a touch of crystal malt which gives it that copper hue. Then we aggressively hop it with centennial hops for a big citrus hop aroma and taste. Beer for the hop lover. Nice bitterness and a good long aftertaste with a smack of grapefruit.
- Experimental Ale (Autumn 2015) : With hops grown for Goose Island at Elk Mountain Farms, our copper colored, extra special bitter has fruity hop aromas and rich toasty malts. Cascade and Columbus hops.
- Apocalypse IPA : A Northwest American-Style IPA. The color comes through as a deep gold with orange hues. Fruity and citrusy hop aroma shines, with hints of pine resin. The four hop flavor dominates, re-enforcing the aroma with more citrus, fruity and piney notes. The malt character is clean and smooth with a unique toasted flavor (thanks to the generous helping of Victory malt), all held together by a firm bitterness. Apocalypse has a medium-bodied mouth feel, finishing crisp and dry. All of this results in a very drinkable IPA.
- Redux Red Ale : An incarnation of our previously popular single hop Endangered Red, this time hopped with Galena, CTZ, and Cascade. Using 9 different malts, this complex, balanced red has a nice malt body to complement the crisp floral and citrus hop presence. 
- Side Cut North East IPA : This juicy IPA brings a brilliant bitterness with a cloudy appearance. Big notes of peach, tangerine and tropical fruit, followed with a fluffy and full mouthfeel. Our outstanding North East IPA is big on flavour and aroma with no clarifying agents or filtering for this beer. It is meant to be enjoyed to the fullest.
- Scratch Beer 35 - 2010 (Fresh Hop Ale) : As the codename implies, the main flavor in Scratch #35 is a 100 pounds of fresh Citra hops. This year’s Oregon hop harvest took place in mid-September and we received the freshest, wettest Citra hops right off the vine. Opening the boxes of fresh hops, we were blown away at the strength and color of this Oregonian green gold. Our hopback was not large enough to accommodate all the hops so we added them to the lauter tun and ran the hot wort through the hops. Pouring a cloudy gold-orange color, Scratch #35 yields an arresting blend of ripe orange and grapefruit aromas with just enough bitterness to balance the sweetness imparted by the honey. Kettle additions of Amarillo and Palisade hops nicely complement the fresh hops. As this beer is a celebration of hops at their freshest, drink this one as soon as possible for maximum enjoyment.
- Clever Girl : Welcome to our next evolution in IPAs. Get set to enjoy an incredibly light bodied, soft and dry American IPA with impressions of tropical citrus and dark berry floral aromas.
- Gggreennn! : Green is an unequivocal crew favorite at Tree House. Over the years we have resisted the urge to brew GGGreennn as we have worked very hard to make Green the very best beer it can be with a carefully refined base beer and a very large kettle and dry hop additions. It's easy to overdo it, but over time we have learned how to adjust our process brewing the base beer to successfully accommodate a larger and larger hope additions without importing off putting characteristics. For GGGreennn, we pushed those principles to the extreme. The result is a richly hop saturated beer featuring notes of pineapple, guava, dried jackfruit, tropical fruit, and citrus. It carries a richness about it that is unique to classic Green, and yet never challenges or tires the palate. It is a pleasure to drink all the way through the glass. It is a beer we are proud to share with you, and hopefully it can serve to enhance a meaningful moment for you this summer.
- Natas : Belgian Stout, bourbon barrel aged, subtle oak, vanilla and bourbon characters, fruity yeast esters, touch of heat.
- Anubis Imperial Coffee Porter : A complex Imperial Coffee Porter made with award-winning Evans Brothers cold-brew coffee. Subtle chocolate and coffee notes are balanced by black malt bitterness and malt sweetness.
- Saison De Ruisseau : We curse daily at this beer because it takes so long to ferment, but it's worth the wait, despite our emotional scarring. This Belgian-style Saison has golden/light copper color, light body, medium hop bitterness, flavor & aroma, medium-low malt flavor & aroma and spiciness from added coriander. Fruity esters dominate the aroma while complex alcohols, acidity, low Brettanomyces character and clove and smoke-like phenolics from Saison yeast.
- Wee Heavy : A classic Scotch ale with high carmelization and a sweet, malty character, finishing with fruit undertones.
- Smell : This beer features experimental hop HBC 344 which is loaded with grapefruit and lemon peel aromatics and lends the beer a pithy bitterness. Add to that Nelson, Motueka and Mosaic and you get a dank pale loaded with fruitiness. 
- The Deuce : Our Belgian dubbel, the Deuce, is a 6.5% Trappist-style ale made with our house-made candi syrup. Dark in colour, with a light fruitiness and raisin-like flavours from the candi syrup, this is the next step up from Golden Boy in strength and colour.
- Cygnus: Cherry (Blend B) : CYGNUS: Cherry (Blend B) is a blend of three years of traditional, Lambic-inspired, coolship, spontaneous ale that follows the Méthode Traditionnelle guidelines. The blended base beer was refermented with two different kinds of whole tart cherries, Montmorency and Balaton, including the cherry pits which adds to the classic complexity and flavor associated with Kriek. After several months of aging the beer on cherries in oak barrels, the beer was removed and stored. More base beer was added to the cherries, extracting more color and a milder nuanced flavor. Three blends were created, each with their own unique character and final fruit level.
- Bitter Waitress : Aggressively bold, earthy, and intense, Bitter Waitress Black IPA has every right to be as bitter and dark as it wants to be. A medium-full bodied ale loaded with hops and balanced with roasted malts and hints of black licorice.
- Dry-Hopped Sour With Equinox : A citrus-forward flavor profile. With notes of lemon on the nose, this light-bodied sour has prominent lemon and lime flavors with underlying hints of grapefruit and a tart, dry finish. ABV: 3.3% Style: Kettle Sour
- Thunder Buddy : Full-bodied IPA brewed with Mandarina Bavaria and Citra hops. Crisp and dry with a slightly bitter finish. Big citrus and tropical fruit aroma and flavor.
- Bauli Saison : A new take on an old style. Saison’s originated in the South of Belgium and are famous for the distinctive fruity, spicy notes given off from the yeast. They also tend to be lighter, effervescent, and quenching. Bauli Saison is all of that, but adds a unique twist. We’ve added White Peppercorns, Coriander, and Kaffir Lime Leaves to the beer to enhance the spice flavors naturally produced by the yeast as well as adding a distinct citrus flavor to make it a lighter beer on the palate but still providing tons of flavor.
- Meridian Myst : Paying homage to our perpendicular kin, Meridian Myst is where the x-axis of dewy deliciousness and y-axis of hazy adventure intersect to form an unparalleled combination of pure craft bliss. This crushable pale ale is light and dripping with tropical notes of pineapple and fruity citrus. “X” truly marks the spot with this one.
- Barn Dunkel : German Dunkelweisen, a dark wheat ale brewed with NYS Cascade hops.
- Valravn : Pungent hop notes of lemongrass and juicy oranges balance the enticing dark colour of Valravn.
- Crystal Peacock : This kettle-soured Berliner Weisse pours hazy straw yellow with a stark white foam. Aromas of lemon rind, pineapple, and tart grapefruit complement the pleasant malty wheat flavor. A combined fermentation from ale yeast as well as the souring Lactobacillus give it a quenching tartness, light body, and crisp finish. Crystal Peacock is our pride beer and we’re proud to say... whoever you love, Arbor loves you!
- Pale Ale : We used four different varieties of hops to give Roughtail Pale Ale a tropical fruit and citrus flavor indicitive of a West Coast style Pale Ale.
- Poterie - Scotch Barrel-Aged : Poterie is French for “pottery”, the traditional eight-year anniversary gift. Our eighth anniversary ale, Poterie, follows in the footsteps of our anniversary releases before it, which are loosely based on an English-style old ale and fermented with our house yeast strain. This edition was 100% aged in oak barrels that previously held Scotch, imparting a subtle smoky complexity to complement the robust flavors of toffee, caramel, dark fruit, vanilla and oak. Poterie will age gracefully for decades when cellared properly.
- Saison D'Brett : Saison d’Brett is a batch of our Flagship Saison aged in our 800 gallon foudre. The oak from the foudre complements the fruit and spice flavors from the saison yeast as well as the funkiness contributed by the addition of brettanomyces yeast. Notes of passion fruit, tangerine, subtle spices, and just a hint of oak.
- Blood Orange Double Daddy : A late addition of blood orange juice and pulp adds an extra layer of flavor with overtones of strawberries and raspberries. Blood Orange Double Daddy IPA is dry-hopped with Amarillo, Nelson, Simcoe, and Mosaic. The aroma is overflowing with grapefruit, orange, and tangerine notes, followed by apricot, mango, and pine. Fresh pale malts deliver a touch of biscuit and marmalade.
- MacTarnahan's Goose Bump : Goose Bump is a deliciously dark Imperial Stout brewed with roasted and chocolate malt, coffee beans, and bold hop flavor which percolate into a complex blend of fearsome intensity.
- Edna's Scottish Exchange : My love of good beer all stems from an foreign exchange trip my senior class took to Scotland and the beer I had while "studying" the dark ancient pubs that were strewn about Edinburgh. Our trip leader/Math teacher, Edna, showed us what a proper pint was and this Scottish Wee Heavy is in honor of Edna and the first seeds to my eventual craft brewing career. Edna's Scottish Exchange is a BIG, BOLD and MALTY ale. Just like the English, hops are not welcome in this Strong Scottish Ale (I blame Braveheart for my prejudices). Strong kettle caramelization gives a sweet toffee like flavor while the high alcohol offers a warming yet smooth presence. A bit of roast malt balances out the sweetness and gives a nice roasted accent to the beer.
- Tableau Rouge : A wild red ale fermented and aged extensively in oak foeder. Bold Brettanomyces character with a brisk acidity. Subtle notes of tart red fruit marry with delicate oak tannins to make this characterful to savor, but approachable enough to have several.
- Hold On To Sunshine (Dark Chocolate) : For this rendition of Hold On To Sunshine, we added dark chocolate to balance the sweeter notes of the base beer. The result is much like a dark chocolate peanut butter cup. This beer is flavorful yet balanced, with authentic dark chocolate notes intermingling with a complex array of specialty malts in the base beer. Enjoy.
- Homework Series Batch No. 8 - Dry-Hopped Hefeweizen : This Hefeweizen is the winning home brew recipe from our 20th Anniversary Employee Home Brew Competition. A traditional Hefeweizen, with a touch of Southern California love. Dry hopped with Mandarina Bavaria hops to accentuate the fruity, citrus aroma and flavors found in a typical hefeweizen. This beer pours a pale straw color with a light haze typically found in wheat beers and a lacy white head that lingers on the glass. With the hops and the yeast combined, it is more fruity than spicy. This character is complimented with a light malt graininess from the wheat and pilsner malts. This dry hopped hefeweizen is a light and refreshing beer to enjoy any time, or brew yourself. Homebrew recipe created by: Chris Hotz
- Scarlet Letter : A light bodied, tart and refreshing sour blonde ale re-fermented in French oak barrels and aged on plenty of Wisconsin cranberries. Central Wisconsin is cranberry country, so it was easy to fall in love with the idea of aging our insanely tart sour ale on this beloved super fruit. We used two pounds of cranberries per gallon for maximum pucker factor. This is what taking chances is all about...going all out and ending up with something this wonderful.
- Blind Pig Ordinary Bitter : An easy drinking session ale in the English style. Fruity and malty aromas at the start, with plenty of hops leading into a dry finish. Dry hopped with East Kent Goldings.
- Beauregarde : Beauregarde is our first ever use of blueberries and we couldn't be happier with how this beer turned out. We added an incredible amount of fruit to our barrel aged, sour blonde ale and the result is just as expected. A lovely shade of reddish purple with flavors of tart blueberries, just in time for summer. Perfect along side a scoop of vanilla bean ice cream.
- Road Jam : A wheat ale fermented with real red and black raspberries and accented with fresh lemongrass. It has a stunning red color and mouth-watering berry aroma. Fruity and refreshingly dry.
- Anomaly 1 : Anomaly 1 comes from a Woodford Reserve bourbon barrel which previously held our coffee brett IPA for five months. Once emptied, the barrel was refilled with this milk stout. It has developed wild characteristics alongside rich and complex coffee tones, presenting intensely cordial aromatics.
- Barrel Aged Big Hugs : Imperial Coffee Stout using Dark Matter Coffee aged in a Heaven Hill bourbon barrel for 10 months.
- Wheat : Our wheat beer is cloudy from suspended yeast and wheat proteins contributed by our base grain. A lighter session-beer, the wheat flavor is complemented by fruity esters produced by the yeast during the fermentation and by citrusy American hops.
- Blackthorn : Blackthorn was first developed in 2015 as a beer to age in rum barrels with some wild bugs in order to utilize the jammy and dark fruit notes that the yeast can create. We made a 30HL (3,000L) batch and half of it was put on tap in the tasting room. It was so well received that we banked it to release on its own when we had some space to do so. The other half went into Caribbean Rum barrels, had some wild bugs added to it to sour it up, and ended up as a beer we called Tortuga. So this is the second release of Blackthorn. However, it’s the first time you can get it in a bottle. Blackthorn has notes of dark sweet cherry, raisin, and plum jam. It is best shared with a friend, or an enemy you’re trying to make peace with.
- Dear Peter : Back in 2016, when Dave Peters of Peters Orchards lamented what a hailstorm had done to his nectarine crop, our ears perked up. Scarred fruit might not work at a roadside stand, but it’d be aces for brewing. We took 7,070 pounds off his hands and created Dear Peter, a bracing sour with a sweet, overripe nectarine nose.
- Smoked Blood Peach Sour : This crisp, fruity, sour begins with a bold hit of peaches and citrus, followed by subtle smokiness and a hint of toffee.
- Last Stop India Pale Ale : This 7.2% ABV, crushable IPA, is the perfect blend of the refreshing notes of tropical fruit and citrus, along with the clean finish of fresh pine. Hopped with Magnum, Centennial, and Columbus hop additions give this IPA a strong citrusy, floral base with little hints of spice. And dry hopped with Amarillo, Simcoe, and Citra hops, the Last Stop IPA is sure to be a crowd pleaser.
- Kalt Kolsch : "Cold” in German, this cold fermented kolsch/altbier hybrid is clean and crisp like a kolsch but with a bit more malt complexity. Spalt hops.
- Session IPA : Light in body, with a hint of spicy rye malt, this lower alcohol IPA is dry and fruity. The unique flavor is generated by the Brettanomyces Bruxellenisis (aka Brett) yeast we use in primary fermentation. We also dry-hopped this beer with Chinook and East Kent Golding to add an earthy, citrus aroma to this complex yet quaffable flavor bomb.
- Brett And Butter : We have taken a traditional Belgian Table Beer at 3,6%, and banged around as much Mosaic hops as we possible could in both the kettle and dry hopping, then fermented it with Brettanomyces Custersianus. This yeast together with the Mosaic hop has produced a much ‘fruitier’ characteristic than your traditional ‘funky’ Brett beers, all in all giving a refreshing, tropical fruit table beer fit for breakfast, lunch and dinner! “
- Shacklands Dubbel : A classic Belgian ale brewed with candi sugar. Rich with dark fruit flavours and aromas with well-rounded bitterness.
- Jaded : Brewed with good friend, Urbain Coutteau of De Struise Brouwers. Urbain describes this work as "Dark chess-nut coloured ale with a nice steady off-white head. Aroma is all about finesse, loads of blossoms and spring flowers. The mouth-feel is refined, playful and complex with Saison like peppery flavours. Soft nutty after taste with a bite."
- Pig Pounder / Little Brother - Agent Orange : Pig Pounder and Little Brother brewers teamed up for this kettle soured ale - the first sour beer Pig Pounder has ever released! Locally foraged spicebush enhances notes of citrus, tropical fruit and green tea and concludes with a lightly tart finish.
- Abigale Blonde Ale : A classic from Head Brewer Frank’s homebrewing roots, Abigale Blonde Ale features a crisp, champagne-like mouthfeel with just enough malt balance to give it substance. Light fruity nose and flavor, finishes slightly sweet and very refreshing.
- Creepy Flip-Flop : IPA hopped intensely with Chinook, Simcoe, Mosaic, Amarillo, Nelson Sauvin, and Mandarina Bavaria. Relentlessly hopped and complex.
- Single Intent : Single Intent pays tribute to Belgium's Trappist breweries, which make a lighter-bodied blonde ale that's set apart for the monks' personal consumption and not sold - hence the term Patersbier, meaning "father's beer." With a spicy, herbal aroma from French Strisselspalt hops, this crisp and complex ale is too good to keep cloistered.
- Waterloo Tripel 7 Blond : A triple blond that is both simple and complex. Simple thanks to the method that releases a sweet zest at the tip of the tongue that is joined by a bitterness that rapidly makes its presence known in the mouth. Complex because the raw materials release their full individual flavours, each equally robust with the bitterness of hops and supple malt flavours. A brewing method that has all the hallmarks of a victory worthy of the name Waterloo.
- Porter : When we think of classic beer styles Porter is one of the first that come to mind. The historical significance of the Porter style is captured in our interpretation of this classic quaffable beer. Our Porter is crafted to distinctly showcase the characteristics of dark specialty malts and the personality of a Porter without the use of Roasted Barley. Our Porter showcases a nice balance of sweetness and hearty dark malt flavours with the subtle smoothness of Torrefied Wheat and Midnight Wheat Malt. No chocolate or coffee was harmed in the making of this dark and delicious brew.
- 07.07.07 Vertical Epic Ale : In this year’s edition we took our inspiration from two Belgian styles: Saisons and Golden Triples. As such, the Stone 07.07.07 Vertical Epic has a deep, deep golden hue and the flavor is spicy, fruity, complex and refreshing. We used four different malts, and a subtle, yet distinct, blend of Glacier and Crystal hops to get just the right balance. Then, for the complexity, we added in some exotic spices --- including ginger, cardamom, grapefruit peel, lemon peel and orange peel (the latter three acknowledging our Southern California home) --- and a special Belgian yeast strain. All in all this is yet another case of us drawing from classic Belgian influences and cavalierly making it our own...San Diego style!
- Hoppy Happens : An American IPA with a strong Citrus grapefruit flavor that comes from the hops that are used.
- Disco Beer - Red Chardonnay Barrel-Aged : Special version of our infamous Disco Beer, this time brewed with a slight darker malt profile and aged on Chardonnay red wine barrels instead of the usual white wine barrels.
- Mosh Pit Tart Cherry Ale : Mosh Pit is brewed with a base of the choicest Northwest two-row pale malt. The beer is fermented with loads of cherry and cranberry purees from Oregon Fruit Products. This hand-crafted fruit beer contains no flavorings, artificial colors or preservatives; only the highest quality fruit, malt and hops sourced from the Pacific Northwest. This tart fruit beer is the perfect mosh pit of sweet and tart, keeping your taste buds coming back for more.
- Wicked Pissah : New England Style IPA. Cloudy with a thick white head, strong tropical fruit aroma with notes of pineapple, citrus fruit and mango.
- Long Weekend IPA : Our Long Weekend IPA will change the way you look at IPA! Brewed with a generous portion of flaked oats that provide a creamy, velvet-like mouthfeel, this IPA takes nearly all of its hops (Chinook, Mosaic and Citra) as late additions and dry hops during fermentation, resulting in big aromas and flavors of grapefruit and cantaloupe with very little bitterness. Whether you're sitting around a bonfire with friends, hitting the beach, or hiking your favorite trail, Long Weekend is the perfect addition to extra hours and a surplus of sunshine. 
- Á Point : Chef's and Brewer's have a lot in common, they love new ingredients, they love to experiment with them, and they love to bring joy into people lives through the use of flavor and aroma. We brewed this beer using toasted rice, wild rice, buckwheat, Indiana sumac, and grains of paradise. Complex yet drinkable, this is the perfect beer for the end of a shift on the line or after a long brew day.
- A. Keiths Nova Scotia Brewery: Fundy Low Tide W.I.P.A. : A white IPA with bold grapefruit aromas and a hint of ocean brine from Bay of Fundy seaweed. We've teamed up with our friends at Seaboost to bring you this White IPA as a salute to the Atlantic that surrounds us. Brewed with four different hop varieties and Bay of Fundy dulse and sea lettuce harvested at low tide, this brew features bold grapefruit aromas with a hint of ocean brine, supported by a moderate body and slightly tart finish.
- Shreddey Krueger : Shreddy Krueger is the West Coast version of our 5.5% house IPA Master Shredder. Yes. You heard correctly, the West Coast version. Shredder Krueger was the alternate name for our beloved Master Shredder during its infancy. This mash up was a request/idea that our Lead Cellarman/Assistant Brewer Josh(aka Jehou) came up with. Josh, like most of us here at The Veil, dig that cleaner West Coast style yeast profile and a tiny bit of bitterness from time to time. We thought it would be a fun experiment and we are happy we did it! We started by brewing a small batch on our new pilot system of the original recipe of Master Shredder, then instead of pitching our house ale yeast we use for majority of our hoppy beers, we pitched San Diego Super yeast(a common yeast used in production of West Coast IPAs). Bright amber appearance with the most subtle bitterness, fresh citrus peel, stone fruit flesh, and slight pine character.
- Motley Cru 2015 : Muchachos, meet Motley Cru 2015 Anniversary Ale: Sour Red Ale Aged In Barrels With Ontario Pinot Noir Grapes. Our oldest beer to date, MC 2015 utilizes a blend of sour red ales in barrels that ranged in age from 1-3 years. A mix of wild yeast and bacteria strains lend brett-derived qualities of leather, cherry, and barnyard, and encourage lactic sourness with just a touch of acetic. The pinot noir grapes from Tawse winery were a no brainer to incorporate (stay tuned for more collaborations with Tawse), imparting soft fruity flavours, and ascribing an element of Ontario terroir to the mix. There’s rhubarb, oak, and cantaloupe in the aromatics, with a tantalizing hint of the acidity to follow. The flavour comes in layers, with notes of wild strawberry, rich oak, subtle spice, and sherry, that culminate in a decisive sourness that’s well-rounded and pleasing without being mouth-puckering. The body is delicate and carbonation light, allowing the vast assembly of flavours to play centre-stage in this refined and drinkable beer. Bold characteristics of ‘taking ourselves too seriously’ are accented by nuanced tones of ‘just taste it’. Finishes with strong notes of ‘you won’t regret it’.
- Seven American Oak : Seven American Oak is a very rich Russian Imperial Stout brewed originally by pooling recipes from the seven best Danish craft brewers. After fermentation the beer was racked into an American Oak barrel previously holding both whiskey and bourbon. More than a year in the barrel has left the beer with smooth oak and vanilla flavours from the barrel intermingling with the wonderfully complex Imperial Stout elements such as licorice, roasted barley and coffee. Bitterness and a fulfilling alcohol warmth ends the flavours sensation.
- A Wrinkle In The Fabric! : Another dream beer for hop heads. Around 80ibus, feature two varieties of hops that we’ve recently experimented with: Huell Melon and Mandarina. Both hops offer subtle fruity notes like juicy cantaloupe and tangy orange. Residual malt sweetness matched with the refreshing summer fruit character of the hops makes this an exceptionally drinkable (bordering on crushable), double India Pale Ale.
- Mares In The Night : A Dark Sour Beer Aged in Oak Barrels.
- Grapefruit Summer Wit : Belgian style Wit, with the addition of Grapefruit. Unmalted wheat, barley malt, original Belgian Wit yeast, orange peels (100% organic Blue Curacao), cilantro, grapefruit.
- Barrio Nut Brown : A huge favorite among light and dark beer fans alike. Brewed with British brown malt, two row premium, crystal and chocolate malts, it is an incredibly smooth ale with toffee and chocolate notes. This brown has a subtle hop character and a slightly sweet finish.
- Whiskey Barrel Aged Imperial Schwarzbier : This is a high gravity interpretation of the classic German style Black Lager. Generous amounts of dehusked German barley were used to give the beers its dark color without adding the roasted or burnt flavors that are typically associated with dark beers. This coupled with lower hopping rates lends to a smooth flavor with a medium body and mildly warming finish After primary fermentation and lagering, this beer spent 17 months in Kentucky Bourbon Whiskey barrels producing subtle oak, vanilla, and boozy flavors.
- Way Down Yonder : Beer is the best reason for a road trip. This past spring we traveled down south to visit our old friends at Great Raft Brewing in Shreveport, Louisiana to experience southern hospitality. We shared beer, traded war stories and together we chose this sour blend of both persimmons and pawpaws aged on our sour reserve. These two wild, forgeable fruits blend in harmony just like old friends.
- FE 10 Anniversary Ale : A truly full-bodied beer. Rich, dark, malty and very complex. Belgian Abbey yeast, dark candi sugar and a huge assortment of specialty malts provide layers of complex aromas and flavors.
- Roggenbier : Traditional German dark, rye beer with a huge fruity nose from Bavarian ale yeast. Hints of unsweetened chocolate and caramel from the specialty malts mix with a touch of spiciness from the rye.
- Partigyle BelGene : This hoppy saison is loaded with Chinook and Nugget hops to battle the big fruity bubblegum yeast flavors. Partigyle is an old style of Scottish brewing where different strength beers are made from one barley malt mash. This beer has a strong counterpart hidden in a barrel to be released in the not too distant future....
- Curiosity Twelve : Our curiosity continues…. Twelve continues the exploration of different hop combinations, grain blends, and process tweaks to arrive at something that is sometimes planned and sometimes completely surprising. For this blend, we added a healthy dose of Munich to the grist to support massive additions of Amarillo, Warrior, Citra, and Mosaic. Twelve is ridiculously hop saturated, and as it warms it reveals juicy complexities balanced by a pungent dankness. Wholly unique and original... Our curiosity continues...!
- Equinox : American style wheat ale single hopped with Equinox. Subtle flavors of tropical fruit, lemon, and papaya with a nice crisp finish. Thirst quenching and a perfect welcome to Spring.
- 2015 Autumnal Dichotomous : At Jester King, all of our beers reflect the conditions of their production: where and when they were brewed and fermented. The ingredients we use for brewing—Hill Country well water, locally malted grains, and native yeast and bacteria for fermentation—all evoke a sense of place. However, we also like to think that our beers evoke a sense of time. Most seasonal beers on the market are brewed to be consumed in a particular season. Our mixed culture fermentations, however, work at their own pace, taking several months to attenuate and develop complex flavor profiles, and don’t lend themselves to precise release dates. Instead, we like to make beers that, when finished, remind us of the moment they’re brewed and the conditions of their fermentation.
- Double Passion Fruit Gose : Brewed with sea salt, coriander, and tons of passion fruit, DPFG is dangerously drinkable at 5.1% ABV and might be the best kettle sour we have produced to date. 
- Mighty Joe Young : Our American Stout is designed to express two flavor components above all else – Roast & Hops! Full bodied but not rich, this jet black concoction assaults the nose with coffee and chocolate from the grains alongside pine and citrus notes from the aggressive Cascade additions. The flavor is more malt forward – iced coffee, dark chocolate and toast – while the hops play nicely at the end, helping to provide a dry finish and the lingering citrus aromas. Drink this now, drink this later, just drink it.
- Cellar 3: Natura Morta Cherry : This refined evolution of our Belgian-style Saison is foudre-fermented with Brettanomyces, then aged and re-fermented in red wine barrels with sweet, dark cherry puree. After 6 months, a crimson ale with champagne effervescence is released, offering notes of ripe stone fruit and barrel-drawn tannins. Retaining hints of earthy wild yeast, Natura Morta Cherry finishes like a fine Beaujolais.
- Scratch Beer 150 - 2014 (Wheat IPA) : We’ve been busy experimenting with many of our favorite hop varieties recently, working toward a new IPA recipe. The combination of classic and experimental hops from the U.S. and Australia paired with Pilsner malt and wheat produces a wonderfully complex white IPA. This Scratch Beer has plenty of intense bitterness and a broad spectrum of hop flavors running the gamut of sweet and fruity to piney and herbaceous. The addition of wheat in the malt bill provides Scratch #150 with its characteristic haze and ample, frothy head.
- Douteux : A farmhouse dubbel brewed with Belgian dark candi sugar and our saison/brett yeast blend. Notes of raisons, cherries and herbal hops.
- Pullman Porter : This take on the robust style of porter is smooth with a roasted malt flavor lending a pleasant and deep roasted character. A light fruity hop flavor makes its presence but quickly gives way to the dominant blend of English and North American malts. 
- Mischmishmish : After brewing one of our fruited sour ales, we found ourselves with a few too many leftover apricots in the fridge. Rather than start a smoothie company, we decided to create this unique take on the popular Belgian-style golden ale. The addition of apricots strikes a lovely balance with our fruity house yeast, yielding a delightfully mishmishchieveous ale. Effervescent, delightfully fruity, yet surprisingly dry, this is a great beer for the upcoming, warm Summer months.
- Blueberry Upside Down Cake : This dark purple, full bodied & sweet DIPA was brewed with all Mosaic hops, lactose, Madagascar vanilla beans, and a dessert like quantity of blueberry puree.
- Dialed In (w/ Sauvignon Blanc Juice) : Brewed in celebration of our Third Anniversary, Dialed In is a dank, juicy Double IPA intensively dry hopped with Nelson Sauvin and Galaxy. Pouring a vibrant, hazy gold; aromas of white wine, tropical fruit, and faint pine sap swirl around the nose. To enhance depth and complexity of the uniquely fruity, white grape flavors provided by Nelson, we integrated Sauvignon Blanc juice mid- fermentation. The potent addition of Galaxy hops provide enhanced notes of bright citrus, mango and pineapple. Soft and creamy with moderate bitterness; Medium-Light bodied with a crisp, dry finish. 
- Perishable Produce : We jam-packed this beer full of hops bursting with blueberry, tangerine, and papaya notes—added to the beer as close to packaging as possible—and backed it with soft malts and water. Like a perfectly ripe piece of fruit, you will want to experience this luscious, blazey IPA fresh.
- Redrum : Brand new 10% ABV Red Ale, hopped with Belma and Citra this rich yet balanced potent ale is matured on Rum Barrel Chips for additional dark-sweet aromas.
- Walker’s Cuvee : Lemon Gose- An unfiltered wheat beer brewed with sea salt and fresh Moroccan Lemons. This traditional German style ale exhibits a unique saline characteristic and bright aromas of Lemon. Firm estery notes of stone and tropical fruit lead to funky, yeasty, citrus aromas. Soft cereal and oak flavors are enveloped by a firm acidity and tartness. The finish is dry and crisp; a thoroughly enjoyable beverage.
- Summer Shortcake : Summer Shortcake features a blend of sour blonde ales, including a tart and zippy young beer brewed with toasted oats alongside rustic barrel-matured stock from our wild cellar. This blend of young and old was then conditioned on generous amounts of Oregon-grown strawberries and raspberries and matured on vanilla beans, producing a fruity, refreshing sour ale that finishes with a crisp acidity and lingering notes of freshly-picked berries.
- Tap 79 Double IPA : Double IPAs, or Imperial IPAs as they are often called, are uniquely American in style. Bigger, stronger, more complex, Tap 79 Double IPA is medium-bodied and golden in color; floral and citrusy, with an assertively dry, hoppy finish.
- Plum Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Plums bring enhanced complexities with tart, yet unsweetened flavor additions. Plum Soak is dry with undertones of oak and wheat.
- Imperial IPA : Launched and enthusiastically received at the first annual Halifax Seaport Beer Fest in August 2007, this ale has quickly become known as the hoppiest beer in Atlantic Canada! Unfiltered Imperial I.P.A. is a robust, full-bodied and complex brew in the Double IPA style. An intensely fruity aroma combines nicely with a malty caramel backbone, clear hop bitterness and lingering citrusy finish. This beer is for the true hophead!
- Tower 20 Double IPA : The saying “less is more” doesn’t apply to West Coast IPA’s. Less is a glass half empty and Tower 20 is a full glass of unrivaled hop character – a Double IPA where more is more. In brewing this hoppy offering, we took the best of Tower 10 IPA and added more. An abundance of high-alpha Centennial hops give T20 its resinous pine-like bitterness, while Oregon-grown Crystals and Chinooks lend zesty grapefruit and tangerine hop flavors. Don’t hoard this hop bomb, drink it fresh and we’ll brew more.
- Wildcat India Pale Ale : Breaking away from the recent trend of super-hopped IPAs, Wildcat is brewed to provide the aroma and taste hop-heads crave, without overwhelming your pallet. Brewed with four different hops, and five different malts, our IPA is complex, while still remaining approachable. Magnum, Cascade, Liberty, and Saaz hops lend our IPA a citrus aroma, with a touch of noble hop distinction and herbal complexity, and a smooth, clean bitterness. The use of five different malts in our grain bill provides Wildcat with the complex flavors of malty sweetness, bread, and caramel that we use to round out our brew. Just like the settlers of Wildcat Mountain who inspired its name, Wildcat IPA blazes its own path into history. We hope you’ll be inspired to go your own way too, as you enjoy our Wildcat IPA.
- Green Bullet Pale Ale : he New Zealand hop variatel Green Bullet lends its name to this brew as it was used for all the flavor and aroma hopping additions. They contribute a spicy note to a golden colored and medium bodied ale. We dry hopped with Green Bullets to add another layer of hop flavor. Not as assertive in hop character as many of our American styled pale ales, yet still full of spice and fruity flavor notes.
- Plowshare : This saison has all the hallmarks of our summertime blend of traditional Saccharomyces and "wild" Brettanomyces yeasts. Lots of pepper, fruit, and a dry spice finish with extra complexity from a multigrain malt bill featuring barley, wheat, rye, corn and oats. Mandarina and Mosaic hops add a juicy orange-pine character.
- Crying Dragon : Crying Dragon comes from our base barrel aged gose-style ale, La Llorona, which is aged on dragon fruit and passion fruit. The vivid color from the dragon fruit along with the amazing aroma and flavor of the passion fruit create the perfect combination for warm days spent relaxing outside with your favorite people.
- Experimental Spaceship : Crushable IPA brewed entirely with Pilsner malt. Conditioned on over one pound of fresh PA @3springsfruit peaches per gallon. Hopped extensively with Galaxy and Hallertau Blanc.
- Single Speed IPA #7 : Our Single Hop IPA Series continues with batch #7: Calypso. US developed and grown, this newer varietal was bred to show pear, apple, tropical fruit and mint characteristics
- All Systems Go : Dark sour beer aged in oak with Sightglass coffee beans.
- Call Of Duty: Black Hops III : To celebrate the launch of Call of Duty: Black Ops III we crafted a new interpretation on a popular style. A classic American Pale Ale that is crisp, light and refreshing with tantalising hop aromas of pine and citrus fruit. Then we fused it with a specialty roasted wheat to impart a deep rich black colour without any of the harsh roast or bitter flavours that you might expect from a dark ale. Simply put, we took a Pale Ale and we painted it Black – a representation of this unique coming together of Black Ops III and Black Hops Brewery.
- Attack Frequency : This unmitigated juice-bomb is back and better than ever, having benefited from all we've learned in the realm of hazy IPA magic. Brewed with Citra, Amarillo, El Dorado, & Rakau hops before a liberal helping of guava & apricot, this thing is an absolute fruit party, and we couldn't be more psyched to re-create the beer that started it all.
- Pellicle Dark Sour Lager : Pellicle, our unique version of a dark and delicate sour, spent over a year lagering in fresh oak barrels. This lager epitomizes the unique Brettanomyces yeast flavors alongside notes of raisins, plums, and spicy coconut. In addition to the rarity of the beer: it's wild and bottle conditioned, which means it will change and evolve over time if it's stored correctly.
- Tanker Truck Series: Passion Fruit Gose : Two Roads is driving a tanker truck down a road less traveled with this Passion Fruit Gose (pronounced GO-sah). This series of unique ales are kettle soured in our very own tanker truck trailer – a former milk tanker like the one on the front label - that's parked right on the grounds of our brewery! Featuring a nose of BIG tropical fruit, the taste is of light wheat and a perfect harmony of tartness and sweet fruit that's mingled with salinity to really bring the flavors to life - this refreshing gose is the perfect accompaniment to any occasion.
- Listen to the River : Listen to the River is a Red Wheat & Lemongrass IPA. Brewed with malted red wheat and a touch of homegrown lemons grass. Singularly hopped with Mosaic in the kettle. Then aggressively dry hopped with Mosaic, Columbus and Simcoe. Notes of ripe mango, cream puffs, pine sap, babbling brooks and grapefruit pith.
- Splish : This one right here! Galaxy, Motueka, Wai-iti, and Falconer’s Flight, a bit of oats in the grist… Big lime pith and tropical fruit, creamy body, balanced lingering bitterness. One of our favorite new hoppy offerings.
- Rufus : Embrace the Funk series Collaboration at Yazoo Brewing Company with New Belgium for Craft Beer Week. A wild sour deep red ale consisting of a Blackberry and Black Currant fruited Wheat beer base from Yazoo 100% fermented with 2 strains of Brettanomyces. Blended with oak aged sour brown ale from New Belgium.
- L'Enfant Terrible : IS A BELGIAN-STYLE DARK ALE THAT JUST WON'T GROW UP. IT'S PLAYFUL, FRUITY, AND CHOCOLATEY, BUT WITH A LITTLE LESS ATTITUDE THAN ITS BIG BROTHER, RAPSCALLION.
- Bush Pig : Wheat and oat-based saison with a smooth mouthfeel and hints of tropical fruit and black tea.
- Sommer Weizen : A darker, maltier version of the Weizen bier with the same banana and clove characteristics. It's less sweet, but has a wonderful roasted flavor.
- Jaroslav 10* : Czech Dark Session Lager
- Lunch Pale : Lunch Pale is a light-bodied, extra hoppy pale ale. It is dry-hopped with Australian (Ella and Topaz) and American (Cascade) hops for a unique blend of tropical-fruit, citrus and floral flavors. We’ve always believed that a lunch beer is the best reward for a morning’s hard work.
- Sunken City : The fruity and light spiciness of the beer blends delicately with the grassy herbal characters of the sauvignon blanc grapes, leading to a wonderfully complex and exuberant beer.
- Fruity Bits Mango Milkshake IPA : With over 500 lbs of mango puree, plus lactose and vanilla, Fruity Bits Mango Milkshake challenges the limits of both fruit and creaminess in an IPA. FBMM is the latest entry in our Fruity Bits series, where we pair our favorite hop varietals with fruit and other fun adjuncts in a uniquely brewed New England-style IPA. For this iteration, we used nearly 6 lbs/bbl of Citra, Amarillo and Idaho 7 hops, which were a perfect complement to the unreasonable amount of mango puree added to the fermenter. As if NE-style IPAs were not already creamy enough, we added lactose and vanilla to contribute even more creaminess, producing a beer reminiscent of a mango milkshake (and if such a thing does not exist, it should).
- Wilmington / Resident Culture / Bond Brothers - Never Enough Hugs : Collab Milkshake Double IPA with raspberries, grapefruits and mangoes.
- Belgian Specialty : A spicy Belgian ale with a dry finish. Exhibits varying amounts of fruity esters. Hop aromas are slight with a fairly light body.
- Bourbon Barrel Aged Wee Peaty : A sweeter, fuller bodied take on the traditional scotch ale, Wee Peaty is smooth and malty with notes of fruit and nut, rich toffee and caramel, and a kiss of peat smoke, all finished off with rich notes of oak and vanilla imparted by a lengthy rest in ex-Kentucky Bourbon barrels. Sláinte!
- Scratch Beer 224 - 2016 (Pale Lager) : Generally referred to as “Pre-Prohibition Lager” in today’s beer lingo, the Vienna Lager’s defining characteristic is its toasted malt flavor, which suggests crusty bread and fresh baked biscuits. While tried-and-true German noble Hallertau Mittelfrüh hops impart a blend of spice, citrus, and wildflowers, we can’t resist adding our own Scratch Beer twist by dry-hopping with Australian Vic Secret hops to release an added dimension of tropical fruit and pine notes.
- 16k : Brewed with Montana 2 row malted barley, crystal malt, special B malt, chinook, citra and amarillo hops. This medium bodied Winter IPA packs huge tropical, citrus and grapefruit aroma from being dry hopped with Citra and Amarillo. Its balanced with a strong malt backbone that finishes with a juicy bitterness.
- Laurel's Legacy : We brewed this special pale ale to honor our assistant brewer Laurel on her last day. Laurel left her mark on this beer with a diverse range of citrusy hops showcasing aromas and flavors of ripe orange, grapefruit pith, lemongrass, and pine. Just like Laurel, this beer is bright, delightful, and nothing but awesome.
- White Lies : A white wine inspired ale, this sour ale is refermented with Sauvignon Blanc grape juice and dry hopped with Nelson Sauvin and Simcoe hops. Notes of brettanomyces funk, grapefruit, and white grape.
- Tiki Sherbet : "Sherbert Series" lactose kettle sour with pineapple, blood orange, and sweet cherry, tart fruit blend
- Howling Wolf Weisse Bier : Howling Wolf Weisse Bier is an unfiltered Bavarian-style Hefeweizen. Brewed with a hearty amount of wheat, this Weissbier pours a light clouded golden color with a generous head. Gently hopped to balance the malt sweetness, Howling Wolf’s flavors and aromas are subtle with a hint of fruit and spice. At 5% alcohol by volume, this light-bodied ale is a refreshing session beer for any time of year.
- Roadmap : Who’s to say where it’ll take you exactly, but this new DIPA seeks a bold explorer. Unfurl african queen + citra + mosaic hops to chart a course through mysterious mountains of black currant and gooseberry, quiet forests of lemongrass and bubblegum & an invigorating oasis of soft, ripe citrus fruit.
- Pauly Schwarz : A traditional German-style Schwarzbier brewed using all German pilsner and munich malts. Noble hops from the Willamette Valley round out this easy drinking dark lager.
- Two Smoking Bushels : We are pleased to introduce you to Two Smoking Bushels, a 5.5% Apfel Rauchweizen (aka a smoked, German wheat beer conditioned on apples). This unique style is influenced by the rauchbiers of Bamberg, Germany where it has been been brewed for nearly two centuries. This unique and complex beer is distinctive in its smoky flavour imparted by, in our case wheat malt that we've smoked over applewood. To balance out the strong smoky flavours we conditioned this ale on locally picked apples for a subtle tart fruitiness. It's traditional yeast profile lend spicy notes of clove and banana rounding out this creative brew.
- Dry Stout : Approachable and flavourful, this beer is great for those who like all the roasted and toasted malty flavours in a bigger stout, but are seeking something a bit more sessionable. An easy-drinking dark beer, or a dark light beer – whichever you find less confusing.
- Broken Dream : Broken Dream is deep and complex. She awakens your imagination. She binds coffee and chocolate aromas, with the silky unctuousness of oats to crest thick, velvety delirium. She will draw you towards a land of flavor, reverie and color.
- Pêche : When we add juicy, heirloom peaches to our year-old Lambic, magic happens— they unite, gushing with bright acidity, nutty undertones and a tangy finish. It does take eight more months of aging, but it’s well worth the wait.
- Droppin’ Cones Double IPA : This double IPA features intense citrus and tropical fruit notes from large doses of Mosaic, Citra, and Zythos hops. American 2-row barley, Crystal and Munich malts are supplemented with late kettle additions of raw cane sugar, delivering a dry finish to balance the higher alcohol levels.
- Black Creek Porter : Porter's deep-mahogany colour comes from a darkly roasted malt. The flavour varies from slightly nutty with burnt grain hints to bittersweet chocolate and coffee. Originating as a distinct style in the 1700s, its name comes from the hardworking porters of London who enjoyed this inexpensive, fortifying drink.
- Doppelbock : This dark amber lager beer has a rich, toasted malt character balanced with a slight amount of toffee in the finish. Hop bitterness is rounded off with alcohol warmth.
- Goses Are Red : This is a rosé - and a gose - by any other name. Goses are Red is a stylish match of a funky, crisp and tart gose with the soft sweetness of a rosé wine. The refreshing wheat-based beer begins with some of the qualities you’d expect from a gose, including coriander spicing and a light saltiness to complement the tartness imparted by our house cultures. But the story doesn’t end there - it builds in complexity, thanks to time spent in an oak foeder and the addition of grapes, which impart a refreshing rosé character and color. It’s a charming interpretation that says all the right things, but it’s not as sweet as you.
- Notting Hill Blonde : Notting Hill Blonde is a continental style yellow beer which flavour explodes on the tongue, a mix of hops, bitterness and sweetness. Fruity hops on the nose and palate fade in the aftertaste, leaving a dry bitter character with a little spiciness.
- 500# Super Sack : Aroma is a blend of tropical fruit (pineapple) and citrus with lighter notes of melon, grape, and papaya. Flavor starts off with a juicy sweetness and finishes bitter and crisp. Medium-Light Body. 
- Daddy's Home : Daddy's Home is our collab with our friends Other Half Brewing Co. Clocking in at 10.6% this Triple IPA is a beast! For 10.6%, the alcohol is dangerously hidden. Super juicy, and not overly sweet. Hopped intensely with Citra, Galaxy, and Simcoe. Aromatics of passionfruit, bright melon, dank grapefruit.
- White Ghost : Our tartly refreshing, kettle-soured Stone Berliner Weisse gained its orthodox sour and acidic character from a specially selected Lactobacillus strain sourced from local Berlin cultures. To ensure a properly Stone, and therefore iconoclastic, Berliner Weisse, we upped the ABV to a healthy 4.7% and hopped the beer with new German varieties, Huell Melon and Callista. This beer embodies the liveliness of summer with the fruity tang of apricots and the sweetness of ripe honeydew. Versions exist labelled both White Ghost and White Geist
- Bam-Bam : This dark copper ale is rich, breast brew with caramel, toasted nut and dried fruit flavors. Late addition hops accentuate the sweetness, giving the beer earth and citrus characters without overwhelming the malt profile.
- Heizenbrau : A German style wheat ale with complex flavors including banana, clove and a hint of orange.
- CCCiPA : We brewed this special “Milkshake” Double IPA here with our new Russian friends from Green Street Brewery. Loaded with raspberries, tart apple, and flaked oats, this beer turned out bright pink in color and delightfully drinkable! All that fruit is balanced out through a hefty dosing of Citra and Mosaic hops. 
- Cuvee De Bubba : A custom blend of the beers of Bear Republic, Cuvee de Bubba is refermented in oak barrels using only the wild microflora and fauna native to the Alexander Valley. A bouquet of stone fruits with a complex flavor profile of malt, tobacco, and cherry pie sourness.
- Mill Street Ambre De La Chaudiere : This is a northern French style of farmhouse ale traditionally made in the winter months and then laid-down in a cellar (thus the “Biere De Garde” appellation) for drinking throughout the year. Ours is a traditional amber beauty presented unfiltered with the yeast still in it to add to the slightly fruity/spicy aroma and creaminess of palate. Brewed with a blend of North American and European malt and hops, Ambre de la Chaudiere is a true reflection of our Canadian immigrant culture. Named after the famous Chaudiere Falls beside our brewery, this beer pays homage to a time gone by when honest craftsmanship and simplicity were truly valued. Sante!
- Elbow Room : This beer starts out as a 10.1% ABV imperial stout. We then age it for several weeks in freshly-emptied Tennessee Whiskey barrels to add layers of complex toffee and vanilla flavors. After aging, we add loads of specialty coffee roasted by our friends and neighbors at Elbow Room Coffee in Williamsburg, Massachusetts. The result is an intensely flavorful imperial coffee stout.
- Lorica Special : Brewed as a collaboration with Jameson Irish Whiskey. A traditional Belgian-style Dubbel, rich and malty, finished in Irish whiskey barrels. A dry finish with hints of whiskey, vanilla, oak and stone fruit.
- Kuhnhenn Double Secret Probation Altbier (Double Sticke Alt) : Dark brown in color, this Northern German Ale acts more like a lager than an ale. It has subtle malty and grainy notes on the nose, with no hop aromas. It has an extremely smooth and balanced flavor. It is light to medium bodied despite it’s dark appearance. I challenge you, “I only like light beer” drinkers to try this amazing beer.
- Another Round: Motueka : This Experimental IPA is straw in color and filled with bright, passionfruit and melon aromas. Motueka hops give this beer distinctive citrus and tropical notes that balance well with its slight sweetness. It's an IPA that tastes like juicy fruits and cool, green melon yet also has present crackery and spice notes. Its crisp, dry and refreshing.
- Boot Knife : This malty brown ale came about as a response to our hoppier offerings. Though we love hops and will continue to brew countless styles devoted to the bitter plant, we also wanted to make a beer that embodies all the best flavours present in our varied malts. The Bootknife is all about caramelized malty flavours that delight the palate. Dark, full-flavoured, but nowhere near a stout. This is a style that justly earned its spot on our diverse line up.
- Flipside Red IPA : Just when it feels like the dog days will never end, suddenly, the switch is flipped, the air gets cooler and it’s clear that autumn is on the way. Featuring a ruby-red hue and abundant tropical fruit and citrus hop flavors, Flipside Red IPA is the perfect beer for the final flash of summer.
- Future Perfect : Berliner with Blueberries, Blackberries, and Oak. A delightfully balanced, tart and fruity berliner. Delicately dry hopped with German Tettnang and Huell Melon. Complex yet smashable with flavors of black fruit and spicy oak tannins.
- Modern Romance : In an exciting collaboration, Midnight Sun and Modern Dwellers Chocolate Lounge—a local artisan chocolatier—designed and brewed a very special dark ale that celebrates our strengths—and weaknesses: sensuous chocolate, warm spice, fiery chili, provocative character and amorous mood.
- Abbey Kat Belgian Style Quad : Taking a page from the traditional Monastery breweries in Belgium, Alley Kat releases Abbey Kat a "double Dubbel" or Quadrupel brew. This high alcohol beer has notes of burnt caramel, fruit and clove.
- Tang Town : When we found ourselves with a fair amount of passionfruit puree left over after our blend of 2017 Motley Cry (a wild ale with passionfruit) we did what any self-respecting person would do - brew a massively dry-hopped double IPA and condition it on the remaining fruit.
- Galaxy Dry Hopped Fort Point Pale Ale : This version of our signature American pale ale is dry hopped with the pungent Galaxy variety. Enticingly hazy and blonde in appearance with frothy carb, the nose erupts with strong citrus, passion fruit, and pineapple aromatics. Upfront and resinous hop-derived flavors of grapefruit pith, peach, and mango are balanced with a subtle, bready malt character and mild, subdued bitterness.
- Golden Hour : GOLDEN HOUR is the light at the end of the tunnel. Following in the authentic tradition of Belgian saisons, ours is dry and spritzy with a billowy white head of Belgian lace. For local terroir, we use spelt grown in Upstate NY and malted by our friend Andrea Stanley at Valley Malt. With its subtle nutty flavor, the spelt combines beautifully with the spiciness of our favorite farmhouse yeast and the refined, pungent aromas of German Tettnang and Hallertau hops. Golden Hour is a beer for those seeking respite from the winter doldrums.
- 40 Mile To The Border IPA : This collaboration was born in a meeting between the brewers here at O’Connor Brewing Company discussing who they thought made some of the best beer in Virginia. The first place that came to my mind was Three Notch’d Brewing Company in Charlottesville... I was always impressed with Three Notch’d as a whole, good atmosphere, good people, and great beer. When Kevin said to reach out to them, I literally ran to my desk eager at the chance to work with such a solid brewer, Dave Warwick. Being a self-proclaimed collaboration junkie, Dave seemed to be as excited about working together as I was. He came down for a visit to Norfolk and we bounced around a few ideas, nothing seemed to jump out right away. He then mentioned an idea that was stewing in his mind for a while, “What if we took two existing beers and made them into one new beer?” Maybe it was the fact that he had wanted to do it for some time, or maybe he was waiting for the right handsome fellow to come around. Thus “40 Mile to the Border” was created, a melding of their flagship IPA “40 Mile” and ours “El Guapo.” The result is a tasty brew showcasing the fruity character of the El Dorado hop and the sweet, slightly spicy character of agave. We hope you enjoy this creation as much as we have enjoyed creating it for you.
- Rye on Rye on Rye on Rye : Pouring deep garnet in color, Rye on Rye on Rye on Rye pops with aromas of spicy, fruity rye malt and massive notes of rye whiskey, vanilla, toffee and charred oak. Certainly warming at 15.5% ABV, Rye on Rye on Rye on Rye is of medium body offering chewy caramel/toffee malt character balanced by earthy, herbal, citrusy Styrian Golding and Citra hops that give way to sweet, spicy rye whiskey character in a slow sipper that blurs the line between beer and whiskey.
- Gold Coast Pale Ale : Brewed with Queensland malted barley and Tasmanian hops, this all Aussie pale ale is clean and easy drinking with notes of apricot and stone fruit.
- Star Trek Vulcan Ale - Genesis Effect : Vulcan Ale pours a clear amber-red color with a light tan head. The aroma holds spice and resinous hops and gives way to fruit notes of orange, over-ripe lemon and apricot. Expect a modest bitterness that will dissipate, allowing the smooth body with soft caramel notes to please your palate as you watch the beautiful lacing lines hug your glass as you sip deeper and deeper into space.
- Flavor Country IPA : We decided to push the envelope with this number. We kept the ABV at a reasonable level at 6.6%, but packed in a resinous, fruity hopbill of Simcoe, Cashmere and Calypso. We added a ridiculous amount of dry hop to this one, and the whole mess sits on top of a grain bill that includes pilsner, unmalted wheat, flaked oats and light caramel malts. British yeast leaves this beer hazy and stone fruity, with a round body. Welcome to Flavor Country.
- West Coast IPA : Classic, award winning, tropical, fruity, light bodied IPA. Everything we want from a west coast styled IPA.
- The Story Of The Gose : This old European style of tart, spiced, salted wheat beer has had a resurgence in popularity in recent years, and Agrarian is excited to release our latest version of the style. The wheat base of this beer incorporates our favorite organic raw wheat, the Red Fife heirloom variety grown by Camas Country Mill. Using our house lactobacillus culture, we soured the wort to a refreshing tart level, reminiscent of lemonade. Next we boiled the wort with coriander grown right here on our farm, and finished with an addition of Oregon sea salt from Netart’s Bay, courtesy of Jacobsen Salt Co. Fermenting with a blend of saison yeasts contributed more citrus fruitiness and a dry finish to allow the wheat to shine through. Complex and refreshing, lemony and wheaty, minerally dry and easy drinking, this ale is best paired with sunshine and a little sweat on your brow!
- Sibling Maker : If you loved Bride, Baby, and Brewery Maker, you're going to love the newest in the 'Maker' series. Sibling Maker! Lengthy aging in Bourbon Barrels allows the 12.6%ABV beer to mellow and develop a deep molasses-like sweetness with port-like dark fruit flavors. More light in body and mouthfeel than the other 'Makers', Sibling Maker would pair great with desserts, like our house made (special only) Tiramisu.
- Passion Dank Juice : New England IPA with Passion Fruit. Juicy and hazy with tropical sweet tart flavors and a crisp finish.
- Hopyard Pale : Deep golden, medium bodied & nicely bitter, Hopyard Pale is exceptional in the West Coast style. Generous hopping in the boil & further dry-hopping produce a fruity/floral aroma & refreshingly bitter finish. A true thirst-quencher!
- Beerthday Grapefruit Pale Ale : Originally brewed for Beerthday Event - A pale ale recipe crafted by our brewer, Dave Rankin. Grapefruit and bold hops will surely please your taste buds.
- Lygonia : Our interpretation of an east coast India Pale Ale. It’s aroma is full of citrus, fruit and pine with a well balanced drinkable bitterness.
- Awkward Exchange : Belgian ale. Dark. Blackberry. Strong. Candi Sugar...that's also dark. Ike's belt. Brewed in collaboration with our friends at BuckleDown Brewing.
- ENIAC : Neo-Biere De Garde. Rye saison delicately spiced with cinnamon and cayenne pepper and fermented with our house saison yeast and then blended with sour ale that underwent extended aging in oak barrels. Almost lager like malt qualities with notes of membrillo, stone fruit, and a kiss of heat on the tongue. Delicate and thought provoking.
- Hazelutely Choctabulous : For years, our hardcore local fans have been drinking a blend of Chocolate Stout and Hazelnut Brown Nectar; they say it tastes like a chocolate candy bar. We have taken these two absolutely fabulous beers and fused them together to create Hazelutely Choctabulous, a dark and decadent beer'tail with a rich, nutty flavor up front followed by a chocolate truffle finish. We're thrilled to share our little secret with the world.
- Year One : Sour dark ale aged in french red wine barrels.
- Aorta Ale (Double Red Ale) : A double red ale that seems to indicate an intensity of flavor simply by it’s dark reddish brown appearance. Subtle aromas of candy, brown sugar, and toasted malt seem reluctantly released from the depths of this full bodied beast. Raisins, figs, and burnt caramel are among some of the sweeter flavors up front, before giving way to a roasted cocoa like bitterness that becomes magnified by high alpha hops. Considering the initial overall sweetness, it’s a heightened bitterness that dominates the finish.
- Blaecorn Unidragon : Brewed with a monstrous amount of malt and combined with aggressive American hops, this beer is powerful and complex and designed to age. Smokiness is subtle but present and blends nicely with the rich, dark flavors.
- SSS : dark ale brewed with vanilla and chili pepper
- Regalia : Inspired by the rustic Farmhouse-style Saisons of Southern Belgium, Regalia is brewed with barley, wheat and spelt and fermented with Brettanomyces. A sturdy malt character supports the complex array of flavors that the yeast provides, and will continue to develop over time.
- Scapolean Doodright : Scapolean Doodright is an English Bitter. Bright, clear, and dark copper in color, this beer has a malt forward aroma with scents of fresh baked bread and a light herbal hoppiness. Lighter in body than the color may lead one to assume, bready notes are first present on the palate before quickly moving into a slight, herbal bitterness. The finish is dry and clean.
- Lucaria : An IPA heavily hopped with Centennial, Simcoe, Mosaic, and Citra. Intense notes of stone fruit, citrus, vanilla, and triply juice. May be our favorite hoppy ale to date.
- Scurry : Just cause it's dark and German doesn't mean it's an alt. Based on the obscure Kottbusser style of beer, this surprisingly dry beer retains all the aroma and nuance of honey (from bees) and molasses (not from bees) creating a perception of sweetness through cool, controlled fermentation. Because we're sweet enough damn it. 
- Kolsch : A clean, crisp, and delicately-balanced ale. Kölsch is very light in both body and color. With mild fruity aromas and reserved hop flavor, this beer is extremely drinkable and refreshing.
- Pool Party : This Pilsner takes its traditional base south of the equator with the addition of Summer and Wakatu—hops known for their subtle aromas of tropical fruit and citrus—creating a highly drinkable and incredibly refreshing beer. So, when the weather heats up, throw on some sunscreen, hide your wallet in your shoe, grab a pils, and dive in head first.
- 2009 Vintage Utopias : Cellared for over 9 years, this rare and extremely-limited vintage packs a punch with hints of dark fruit, subtle sweetness, and a deep rich malty smoothness.
- La Piccola Virtuosa : Dark saison.
- Double Chocolate Milk Stout : Description: Its dark ebony color will entice your taste buds into anticipation of it's velvety smoothness. Hints of dark milk chocolate from added lactose gives this beer a nice gentle sweetness.
- Cumulus Lupulus : Cumulus Lupulus or “Hop Cloud”, is a hazy, super juicy, triple dry-hopped, light and refreshing tart session ale. The use of Columbus, Idaho 7 and Citra hops gives you just the right amount of orange, grapefruit, mango and passionfruit flavours. This is the perfect sunny day brunch-on-the-patio beer. It’s the feel-good hit of the summer!
- Single Shot : We are extremely excited to introduce Single Shot - a beautifully balanced coffee stout made with a special blend of our favorite coffees! It pours super dark in the glass unleashing a fluffy, mocha-like head. We experience flavors and aromas of rich chocolate, cold brewed coffee, and coffee ice cream. Single Shot is exceptionally creamy on the palate while maintaining a lightness that leaves you wanting more. Perfect for a can!
- Kuhnhenn Rob B's Delirious : This Belgian Golden Strong Ale was made in collaboration with Eric after trying Ron’s homebrew recipe of this beer. It’s complex aroma includes spicy fruitiness and floral hop characteristics. Brilliant golden in color, this fruity, lightly hopped beer strongly resembles a Tripel but has a lighter body. It surely is delicious.
- Beer Geek Wedding : A special blend for Mes & Sim's wedding. Morpheus dark aged on Glenrothes whiskybarrel (70%) blended with Kerasus 2010 (30%). Complex old flemish brown ale, very limited edition.
- Smooth Sail Pale Ale : Made exclusively for the 50th Anniversary of the Cape May- Lewes Ferry this pale ale is sure to sail straight into your pint glass. Made with Simcoe hops this beer has the perfect balance of hops and citrus. With grapefruit undertones this beer would be perfect to pair with your cruise across the Delaware Bay.
- Smoking Trout Pale Ale : This beer has deep gold appearance with a balanced malt and Pacific Northwest hop profile. It is moderately hoppy with fruity overtones.
- Kriek Première : A new farmhouse wild ale. This spontaneous beer is fermented and aged in oak, then refermented in secondary oak tank with a huge amount of whole Northwest grown Morello and Montmorency tart cherries. Bright in color, flavor and texture with a pronounced and complex tart cherry character, this beer is a deft integration of fruit and nuanced base beer.
- Torch : A deliciously strong and complex IPA, a result of 100% Brettanomyces fermentation and a heavy dose of El Dorado hops. Expect a citrusy and funky aroma followed by a mouthful of bitter marmalade.
- Far Out IPA - Thai Tea : This West Coast Style IPA presents the familiar tropical qualities of Far Out IPA with the addition of rich Thai Tea aromas. The Thai Tea aroma and flavor perfectly compliments the tropical hop characters of mango, passion fruit and mango. 
- Wit-Tea-Est Superfruit : Witbier with Fruit Tea (Cherries, Cranberries, Kiwi, Apples, Coconut) from Tin Roof Teas.
- Circle Of Wolves - Apple Brandy Barrel-Aged : Circle of Wolves is our beloved English barleywine that we created with intentions of spending extended periods of time in barrels. Clocking in at 12.8%, this batch spent 12 months in freshly dumped Laird’s Apple Brandy barrels. It then spent another 2 months in the bottle. Full bodied with beautiful notes of raisins, dark fruits, molasses, apple brandy, soft leather, and maple syrup
- KLB Premium Pale Ale : Copper coloured and lightly carbonated, KLB Pale Ale has a complex, fruity bouguet and a full malt body. Pale Ale is balanced with an assertive Fuggels bittering hop that gives it a long, bittersweet finish. This is a true "beer drinker's" beer.
- Northern English Brown Ale : Taking its cues from the ale historically made around the Great Northern coalfields of England in the late 19th and early 20th Centuries, this dark beer features roasted chocolate and coffee flavors alongside deep caramel and toffee notes. Complex, approachable, and the ultimate “food beer,” our Northern English Brown will pair well with the Sonic Reducer, a meaty pizza, or a toasted bread small plate.
- Dark Hollow Artisanal Ale : Bourbon Barrel Aged Stout. Dark Hollow blends the miracle of two crafts--brewing and distillation--to create a work greater than the sum of its parts. An Imperial Stout has been aged in charred American oak bourbon barrels still dripping with uncut whiskey. For 100 days the young beer patiently breathes in and out of the wood, gaining complexity, character, and serious attitude.
- Mikey's Vyce Black IPA : An opaque, well balanced IPA brewed with a special black malt for depth of color without an over the top roasty flavor. Brewed with Columbus Hops for a fruity, citrus-like hop aroma and flavor.
- Chuck & Duck Experimental DIPA : Double IPA Double Dry-Hopped with tropical Galaxy hops and fruit-forward Nelson hops. Named in honor of our Brewers' favorite sport of copiously dry-hopping our soft & juicy Experimental IPA's at a rate of no less than 3 LBS. PER BBL. 
- Mo'Psyche : Complex fruity aromas from Mosaic hops join with a subtle spiciness from rye malt to create a hoppy pale ale that leaves you wanting another. 
- Pulcinella : Hi-Wire Pulcinella Russian Imperial Stout has been aged in various oak barrels, including Napa Valley Zinfandel, Kentucky bourbon, and North Carolina dark rum barrels.
- Scurvy : Scurvy India Pale Ale (IPA) India Pale Ale Brewed With Orange Peel. An ample ale, exploding with luscious, fruity hops and citrusy blast of orange zest. Ready to walk the plank, Matey 
- Nu-Tropic : India Pale Ale with Mango & Passionfruit.
- Wellhead Pale Ale : This beer is true to the American pale ale style. Dry yet fruity, the Cascade hops lend a pleasing citrusy quality to the finish. The malt blend provides a complexity that is very satisfying.
- Calypso Cooler : Fruit Cup Pale with Pinenapple, Peaches and Cherries and dry-hopped with Calypso.
- Ominous : Clouds grow dark, the wind picks up, a chill sets in -- the weather is not looking good. Thankfully, our winter seasonal OMINOUS is the perfect beer for this situation. Warming from the inside out, it’s a good reason to stay indoors. At 7.5% abv, this Midwest Warmer has layers to stand up to the most frigid of winter nights or rain-soaked spring days. American, English and Belgian malts come together to satisfy the soul with a rich, nutty, roasted flavors. Dark candi sugar brings out hints of dates, raisins, plum and chocolate. OMINOUS is a dark storm of a beer - big, intense and something to keep your eye on.
- Samhain Pumpkin Porter : Our seasonal Pumpkin Porter is made by using over 200 pounds of pumpkins. The beer is black in color with a slight dark-reddish tint. Cinnamon, coriander, allspice, ginger root and nutmeg combine for a beer you only wish your grandma could make.
- Le Contrabassiste : Complex, toasty malts and European hop varieties combine with brettanomyces fermentation in oak foeders to create a complex beer with fruity and toasty notes and a slightly tart finish.
- I.R.A. From The Wood : "We aged a batch of our lovable red brew in new Missouri oak casks for five months, giving the beer a intense whishky-like character, with nutty caramel and vanilla notes and a big woodiness." - Double Mountain 
- Scottish Ale : Scottish Ale is what we would call a pub beer - a brew you'll want to enjoy over several pints. It's full of malt character, with light roast notes and some dark chocolate, while the rest of the profile is straightforward and clean, finishing with an appetizing minerality.
- Stimulus 02 : Imperial Stout with Dark Matter Barrel-Aged Coffee
- Toucan : Brett Citrus IPA, brewed with 100lbs of fresh grapefruit, Cara Cara oranges and Meyer lemons.
- Jagged Shard : The Jagged Shard Imperial Red Ale clocks in at 8.4% ABV and 80 IBU's. This brew pours a dark red copper color and offers a pleasant citrus fruit aroma. Very balanced flavor profile between the strong melanoiden rich malt backbone and the complimentary but assertive hop character. Very smooth and deceiving for a high gravity brew until you feel the unmistakable alcohol warmth in your cheeks after a few sips. Enjoy this one responsibly, but enjoy it you will.
- Dodeca Hedron : A malty IPA finished with the New Zealand Motueka hop. This particular hop variety imparts floral notes with a hint of tropical fruit. The addition of oats in this batch gives it a full bodied mouth feel. Dry hopped with Mosiac hops. The Dodecahedron (Dough – Deca – He- Dron) may sound like a complicated name, but it is an IPA with a smooth finish.
- Everything Must Go : This barrel aged dark ale is a momentous release -- it marks the beginning of autumn, the two-year anniversary of Oozlefinch, and the transition of our existing clean barrel stock over to our sour barrel program. We've gotten all the wine and spirit character out of the wood, so our barrels are ready to start housing our sour cultures and churn out some sour beer. Don't worry, we've still got some special dark barrel aged beers tucked away! Everything Must Go is a blend of several dark beer projects from Port, wine, and bourbon barrels. These black wheat ales, browns, and stouts have come together with additions of plum, raisin, and star anise to create an incredibly layered barrel aged dark ale that is quaffable
- Redhook 8-4-1 Expedition : An American-Style Strong Brown Ale developed by eight Redhook brewers working in four teams of two to create one beer. The ale reflects a compilation of each team’s individual receipes that were then carefully blended into one distinct beer. 8-4-1 Expedition Ale offers complexy flavor notes, delivering malty sweetness, medium bitterness with hints of smoked flavors and oak chips balanced by the addition of honey, brown sugar and candi sugar.
- Terrapin Liquid Bliss : We always love a good experimental brew here at Terrapin, but the salty-sweet combo of peanuts and chocolate has us all salivating a little more than usual. This brew, while smooth and mellow, still manages to challenge your tastebuds. The porter base is dark and smooth, with enough backbone to support the richer chocolate and peanut butter additions. It’s even dry “peanuted” with brewery-boiled green peanuts! Here’s to the candy-loving kid in all of us!
- Costanza : American Brown Ale, toasty dark malt meets loads of hoppy pine and citrus.
- Avery Anniversary Ale - Twenty Three : 100% Brettanomyces Fermented Dark Farmhouse
- Father John's Winter Ale : A rich, malty seasonal ale brewed every fall for the winter months, this ale is made with four different malts, Nugget & Hallertau hops, and a complex blend of spices. It is named for John Mitchell, Howe Sound's original brewer.
- Vieux-Couvent : La Vieux-Couvent est une bière de blé aux herbes à 5,8% d’alcool. Un soupçon de blé et un mélange herbacé vous rafraîchira et vous charmera par ses multiples facettes parfumées. Sa belle robe légèrement voilée et ses doux arômes herbacés vous raviront et accompagneront merveilleusement vos plats de fruits de mer.
- Cuvee D'Erpigny : This full-bodied dark ale has been aged in Monbazillac wine barrels for several months.
- Saison Batch 2 : Our saison is fermented entirely in oak barrels with a magical blend of Belgian and Brettanomyces yeast. Months of aging lend this ale its soft notes of tropical fruit, wine soaked oak, and glorious funk
- Safeword Imperial India Pale Ale : A free will fan favorite. The base of this beer is an intense and full bodied imperial IPA with fruity and citrus character and a serious malt backbone. The added mango brings an intense fruit character to the aroma and undertone of the pallet, while the spice from the habanero builds to a surprisingly welcome heat in the finish. This beer is a meal all by itself.
- 28th Anniversary Barrel-Aged Belgian Quad : Every year for our anniversary, we take a specialty beer and age it in bourbon barrels for twelve whole months. This year’s full-bodied Barrel-Aged Belgian Quad is rich and malty, with flavors of dark fruit, caramel, and charred oak. Aging the beer in Four Roses Bourbon barrels gives it a surprisingly smooth, warming finish. From 1989 to 2017 and beyond, we thank you for your support, and invite you to join in the celebration!
- Night Demon : Belgian-Style Dubbel Aged 1 Year in Bourbon Barrels. The malt bill includes Pilsen, Dark Munich, Aromatic, Victory, and Melanoidin varieties, along with flaked oats, wheat, and dark Belgian candi sugar. Hops: Czech Saaz and Tettnanger. This beer sees primary fermentation and lagering of eight weeks before it heads into a once-used white oak bourbon barrel for an aging period of one full year.
- Organic Beerline Barleywine Aged In Organic Rye Whiskey Barrels : The Organic Barrel Aged Beer Line Barley Wine marks our most ambitious beer release in 27 years. We held it for 18 months in Catoctin Creek Distilling Company organic rye whiskey barrels, making it the first organic barrel-aged barley wine in the United States. The extended barrel aging imparted an unrivaled taste and complex aroma. Rich vanilla and caramel aromas captivates the nose, while oak, full malt, and toffee flavors captivate the taste buds. The finish is elegant, rich, and warming.
- Native Five : Native Five is our honey country beer. Brewed with raw unpasteurized woodland honey from wild bees in Zambia. Native Five was fermented with our distinctive local yeast, and then aged for several months in oak. It contains notes of honeysuckle, spicy Brettanomyces character, dried fruits, and molasses. An ethereal mouthfeel with pillowy carbonation leads to dainty, dry finish with delicate lemon acidity. Our Native series beers are naturally conditioned in the bottle, and contain a lively effervescence. Please chill the bottle, open cold, and enjoy as they warm in the glass.
- Parables Of Red : Parables of Red is a Flanders style sour red, aged nearly a year in neutral red wine barrels. We then transferred the beer onto heaps of tart cherries, and local raspberries. Fruity aroma, and strong acidity balances the malty palate of the style.
- She's A Beaut : She’s a Beaut is a salted caramel Stout with a dark brown hue and a mocha colored head. With enticing scents of sweet caramel and cocoa, this brew will make you feel like you’ve just opened a decadent box of chocolates. Less sweet than it smells, She’s A Beaut begins with flavors of chocolate and caramel that coat the mouth which are elevated by the addition of pink Himalayan sea salt. The contrast between sweet and salty is most evident in the finish which leaves the taster begging for more.
- Tire Chaser IPA : A variation of a West Coast IPA, this India Pale Ale has a nice Copper color, and a slight caramel flavor from Caravienne Malt. Summit and Amarillo Hops, provide a nice grapefruit and citrus flavor and aroma. Sure to please the Hop Heads out there. OG - 13.5 FG - 2.4 IBUs - 62 - ABV - 6.0%
- Smuttlabs Blueberry Short Weisse : Blueberry Short Weisse kicks off Smuttynose’s canned Short Weisse series with a New England classic! The clean, tart acidity of our lactic fermentation process contributes massive refreshment to beer drinkers. Blueberry aging adds not only a striking purple color, but a delicious flavor nuance that’s pure summer. The lightweight can package means you can take this fruity refreshment golfing, hiking, to the beach, or boating. Smuttynose Short Weisse beers are made with a time consuming two-part fermentation process that happens in both the brewhouse and the fermenter. The first stage takes place in the kettle with a dose of our house lactobacillus, a bacteria that’s a key component in making yogurt and sour cream. The second phase takes place in the fermenter with a German-style hefeweizen yeast. This time consuming process means we can only make limited amounts of Short Weisse beers. Fortune favors the bold – get your orders in soon!
- Can't Keep Up 25 : A blend of fresh saisons and a melange of aged sour ale with a kiss of strong stout. Brown with ruby highlights, dark candy sugar on the nose with pleasant stone fruit acidity and a tannic grape skin finish.
- AWAS Blend #3 : This blend was created using a heavily fruited, barrel-aged wild ale with Ohio-grown paw paw fruit and a heavily fruited, barrel-aged wild ale with local peaches.
- Bombs Quad : Bombs Quad is a Belgian-style quadruple that is a rich dark brown in color. It is dominated by dark sugar and sweet malt flavors, with a hint of stone fruit to round out and add depth and character to this beer's flavor profile
- Unsurpassable Clearance : Double NEIPA double dry hopped and brewed with Passion fruit
- 077-10014 - Motueka : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-10014 is the Dubviant tuned up with a third Motueka exclusive dry hop inspired by the places that get it in Greenwich Village. Motueka takes lead squeezing an aromatic of lime over 0’dubs mix of dank resins and tropical fruit aromas. Drink 077-10014 when a little zip is in order.
- 077-08204 - El Dorado : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-08204 is the Dubviant tuned up with an exclusive El Dorado dry hop inspired by the places that get it in Cape May. El Dorado sweetens 0’dub’s mix of dank resins and tropical fruits with a bright cherry tone. Drink 077-08204 and extend the taste.
- Dark And Stormy Ale : A Dark and Stormy night is often a parodied phrase, but in Whistler it can only mean two things; …the snow is coming and enjoying beers by the fire. This unique ale brewed with ginger is the perfect excuse to bundle up and watch the storm roll by.
- Olio : Olio is a fortunate medley of our favorite hops paired with a simple grist of Premium 2-row barley along with imported Vienna malt and malted oats. Big notes of mango and papaya from the use of Galaxy hops along with more pleasant tropical and juicy-fruit depth from dry hop additions of Strata, Citra, and El Dorado.
- Dark Apparition : Russian Imperial Stouts are one of brewmaster Brad Clark’s favorite styles of beer and Dark Apparition is without a doubt his favorite beer to brew. We stuff 2200 pounds of malt into our 20bbl mash tun and by the end of the mash, dark malts are spilling onto the brew house floor! Brad includes great flavors he admires in his favorite Russian Imperial Stouts like chocolate, coffee, roast, dark fruit, caramel, and some nice earthy/spicy hop character. With a midnight black color and chewy, dextrinous body, Dark Apparition is a huge beer with tons of character.
- Sea Level Stout : Traditional Irish, roasty, stout. Dark and tasty!
- Whisper Scream : Whisper Scream is a Nordic Farmhouse IPA brewed with a grip of spelt & oats and excessively hopped with Rakau, Waimea & Mosaic. Then it's fermented using a traditional Scandinavian farmhouse yeast at absurdly high temperatures so the bright, citrus & tropical fruit from the hops mashes up with orange peel and a hint of spice from the yeast for a unique old-world take on the new-world IPA.
- Smoke : Ebony-hued, Smoke wafts out of the bottle and into your senses, borne on the wings of European traditions, wrapped in American innovation. Lager-brewed, like any true Baltic Porter, with smoked malts from Bamberg, Germany, the home of Rauchbiers, then mellowed by oak-aging. Black malt flavors mesh with notes of raisins, plums, figs and licorice with the subtle smoke on the side, for a complex and luxurious, yet silky smooth drinking experience. It's a sipper at Alc. 8.2% by VOL., but everyone knows you can't have Smoke without fire!
- Saison : This dark amber ale hailing from Belgium is unfiltered. With a mild fruitiness and clove spiciness similar to the Weizen, this beer is dryer with a tart finish.
- Before The Moon : Dry hopped with Sazz and Centennial, notes of magnolia flowers, tangerines and juicy fruit.
- Hobo Life : Hobo Life Session IPA is heavily dry-hopped with Citra and rests on 20% flaked oats. Refreshing and bright with notes of lime and grapefruit zest to entertain the palate, Hobo Life is a go-to for any session.
- Barrel Noir : This oak-aged ale is our love letter to bourbon barrels. Barrel Noir is a sumptuous, inky ale that celebrates the velvety texture and subtle heat that only Kentucky charred oak can impart. Born from a blend of American imperial stout and Belgian-inspired dark ale aged in bourbon barrels, this rich brew can be paired with braised beef dishes and dark chocolates. Enjoyed best in front of a warm fireplace.
- AM:PM : AM:PM is a truly sessionable beer that allows you to enjoy all the flavours and body of an IPA. Bags of tropical fruit aromas, pineapple, tangerine, guava and passion fruit are balanced with a chewy, honeyed malt character.
- General Resin : Every insurgency needs a strong leader to plot, scheme, and rally the subverted to rise up and fight the status quo. The craft beer guerillas found their leader in General Resin, a ruthless, take no prisoners, lupulin crazed mercenary, battling against the bland leaders of Domestican. This copper-orange hued, heavily hopped beer, laces your tongue with sticky resinous hop flavor - citrus, pineapple, mango, and tropical fruit. A reserved malt sweetness stalks in the background. General Resin is the super villain to the beer establishment and hero to hop heads. Which side are you on? 
- Anareta : Sour Ale Aged in Oak on Blueberries. This is the first in a new line of fruited sour ales that we plan to release over the next few months. Anareta was fermented in oak with a house mixed culture and then transferred onto blueberries in a mix of oak puncheons and used bourbon barrels, where it continued to age for a number of months before it was blended and bottled. This new line of beers will incorporate photo-based labels and the photo for Anareta was taken by our brewer, Seth @ffrighttrainz
- 45 RPM : Altbiers are the true OG of the beer world. Predating lagers and pilsners, the name altbier literally translates to “Old Beer.” Our version of this classic throwback has a dark copper appearance and slightly fruity, rich malt character. Noble hops provide a spicy, peppery hop flavor which finishes smooth and crisp.
- Otra Vez Lime & Blue Agave : A well-balanced, tart, and refreshing ale. We combined the classic flavors of lime and blue agave nectar in a tart gose-style beer for the ultimate answer to the heavy heat of the day. The bright lime flavor helps wake up the palate while the mild sweetness of the agave rounds out the tangy zip of the citrus fruit. Light and refreshing, this all-new Otra Vez will have you calling for another round.
- Dark Fatha : Dark Fatha’s 2016 verison is aged in bourbon and StormBringer Spiced Rum barrels for a very distinctive hybrid flavor. Big and booming, yet, with a delicately light soul, Dark Fatha is a deep, rich, and velvety strong stout-like drinking a whiskey soaked in chocolate cake.
- Brown Ale : Malt: Pale Ale, Muncher, Pale and Dark Cara, Chocolate, Amber, Roasted barley.
- Brekeriet Lusse Lelle : A very fruity and special Berliner Weisse fermented with saffron, lactobacillus and brettanomyces yeast.
- J.R.E.A.M. - Blackberry Mango : Fruited Sour Ale with Lactose
- Affection : Our second barrel release, Affection. A Spelt Farmhouse Ale with Rosemary & Sage, aged for seven months in (Chardonnay barrel) oak. The result is a bone dry Saison-style beer with a beautiful bouquet of floral and botanical aromatics. The flavours of Rosemary & Sage are well balanced and backed with a soft acidity, minerality and earthy funk. A subtle dry-hopping lends some background notes of lemon, lime, grapefruit pith and pine. Light tannins from the oak add to the crispness of the finish.
- Sour In The Rye - Kumquats : We've all come to know and love our barrel-aged sour rye ale, Sour in the Rye. Now it's time to enjoy a bright variation of it that has kumquats added to the mix. Not only is "kumquat" one of the most fun fruit names to roll off the tongue, it also treats the entire palate to a unique display of fruity characteristics. The tart, sweet, citrus and tropical notes of both the kumquats and tangerine zest strike a balance with the honey, vanilla and woody character imparted from barrel-aging. At the same time, the unique bitterness of the citrus fruit locks step with the clove and pepper notes imparted from the rye.
- Brother Blue Beardo : Brother Blue Beardo is a Strong Dark Belgian Style Ale brewed with Demerara sugar, dark Belgian candi syrup and 220 pounds of Klug Farm Blueberries in each 7 barrel batch. The result is a beautiful blend of classic Trappist Ale notes of spicy yeast, dark fruits and dark sugar/molasses with the lightly acidic and perfectly fruity taste of blueberries.
- Christmas Ale 2010 : Christmas Ale (November - December) rounds out our calendar. Generally, this beer is a dark ale, however, the recipe changes each year, offering a unique product crafted with special care. Enjoy your holidays with Abita Christmas Ale.
- Scratch Beer 127 - 2013 (Simcoe IPA) : Scratch #127 combines the piney, resiny pungency of Nugget and Chinook hops with the bright flavors of citrus and tropical fruit. We dry-hopped this IPA with three-and-a-half pounds of Simcoe hops per barrel to produce an insanely vibrant citrusy and tropical fruit character with a contrasting piney, herbal flair. The addition of sugar cane water bolsters the sweetness of this intense IPA and works with the malt to quell the intensity of the copious amount of hops. But make no mistake… Scratch #127 is a deliciously fresh, explosive Simcoe hop bomb!
- Taps Sinister Sam's IPA : Prepare to be round-housed in the taste buds. This is a North American-style India Pale Ale. It has an intense Northwest Pacific-hop character from a ridiculous amount of hops added to the brew-kettle, and then dry-hopped later on during conditioning. Citrusy, floral, and fruity flavours take front stage, while the caramel accented malts give it some balance.
- Salute To The End Of The World : Salute to the End of the World is a 9.3% Russian Imperial Stout made with two special ingredients. First we used a good amount of flaked oats to give the beer a full, rich body and silky mouthfeel. Later we added Blackstrap molasses to provide a layer of dark sugars, dark fruits and some syrup-like sweetness. After substantial aging, this beer is smooth, rich and very drinkable for such a huge beer.
- Biere de Coupage : We are pleased to be part of the resurgence of this method, and are particularly excited about this one particular style of beer that it’s able to produce (and thankful we now have the barrel stock and foeder capacity to attempt it). For the blending, we began with 250 gal of our Foeder Saison and added to it a blend of four barrels of 1 year-old 100% spontaneous MT (Méthode Traditionnelle) beer, and a small portion of 3 year-old MT beer. The result has a fresh liveliness, brightness, and mild supporting bitterness from the young foeder beer, and a mature acid profile, musty oakiness, minerality, and overall flavor complexity from the old spontaneous beer. Despite being unfruited, we also get big notes of under ripe peaches, stone fruit, and a grassy earthiness. It should continue to develop for years in the bottle, and we hope you enjoy this beer as much as we do!
- Individuation: Ilis : Individuation: Ilis is a spelt and local wildflower honey saison brewed in June of 2016. It was primary fermented in one of our large oak foudres with our Magickal saison yeast and resident microflora. Spiced with honeybush and black tea. Bottled in September of 2016 and conditioned at the brewery for one year before its release. Notes of lemon verbena, English breakfast tea, bright citrus fruits, and a touch of honey sweetness.
- Autumnal Saison Blend : Blended back with 30% wine barrel aged Helsing Junction Farmhouse Ale. A veritable cornucopia of fruit like smells, culminating from aromas of apples, pears, berries, and stone fruit. Tartness is added through the addition of barrel aged beer, sweetness from the caramelized grain, and spiciness from the rye malts.
- Yule Tide (2014) : Heavy Seas’ons greetings! As a special thank you to our beer drinking public and supporters of our Uncharted Waters, we offer this malty Weizen Dopplebock aged in Jamaican rum barrels, mon’! Yule Tide is sure to make you comfortable on a cold winter’s evening. You could pair this with your mother’s fruit cake, but everyone would laugh at you.
- Super Cat Speed : Super Cat Speed is a Session IPA brewed with Columbus, Citra, and Mosaic hops. Light golden with a prominent white head, this beer has tropical aromas of passion fruit, mango, or guava. Huge juicy fruit flavors greet you before the slight hop bitterness takes hold. Super Cat Speed finishes dry and slightly bitter but remains drinkable and refreshing.
- Rise : Utilizing Pale Ale malt as the base along with Caramel Malt from Chile, English Roasted Barley, and Dark Chocolate malt, the resulting medium-bodied beer is rich and complex with notes of dark roasted coffee and baker’s chocolate.
- Strange Bird : This is a quaffable Belgo-American style Pale Ale. It is based on ‘A Little Crazy’, but it is its own recipe (not a small beer). It is still spicy and complex, but made for a longer evening of imbibing at 4.8%.
- Blueberry : Wood Aged Fruited Sour Ale w/ 2.5 pounds of Blueberries per gallon
- Waagosh : An intensely fruity pale beer, brewed with lager yeast and hopped with loads of Nelson Sauvin and Motueka. Notes of melon, mango, kiwi, and dank citrus.
- Crush Puppy (2017) : A fruited session hopped with Mosaic, Ekuanot, and Idaho 7. Dry hopped with lupulin powder and subtly blended with freshly foraged Maine blueberries and raspberries.
- Up Ship's Kriek : Kriek Lambic, 7% ABV, 12 IBU, Aged for 2 years in Cabernet and Zinfandel barrels, this Belgian inspired sour ale was fermented with dark cherries and a blend of Lacto and Brett. 
- Amber : Invented for the Liége exposition of 1905 to compete with British imports, the Spéciale Belge or Belgian pale ale style marries the complexity of Belgium’s beers to the drinkability of Britain’s pale ales. Dageraad Amber’s light malty sweetness and rich bouquet of malt and stone fruit are balanced by a hoppy aroma and a crisp finish. This beer was inspired by the experience of enjoying a fresh bolleke − Antwerp locals’ affectionate nickname for a glass of De Koninck − in the Dageraadplatz, just a stone’s throw from the De Koninck Brewery.
- Dweller On The Threshold (Funk Factory Geuzeria Collaboration) : Blended American Sour. O'so Brewing presents Funk Factory's inaugural blend: Dweller on the Threshold. Averaging 18 months, this is a blend of sour beer which has fermented and matured in French oak wine barrels. It was then bottle conditioned and will continue to mature in the bottle for up to 10 years if kept dark and cool. Enjoy this sour, wild and of course funky beer!
- Summer Jam - Pineapple Colada : Mixed Culture Red Wine Barrel Aged American Golden Sour Ale blended with pineapple, coconut, and passion fruit.
- You Asked For It IPA : Hopheads rejoice! We've caved to your demands and produced an IPA. Citrus and tropical fruits are noticeable in this hoppy but not aggressive concoction.
- Astro 2 : The second installment in our fruited, steel fermented series is a sour wheat ale chock full of peaches and apricots.
- The Brown Note : The brown ale to end all brown ales. Enjoy it, because there is no longer any reason to drink another. You’ve reached the pinnacle. A healthy blend of traditional British malts give this popular style a semi-sweet, biscuity, slightly roasted flavor. Oats thicken the mouthfeel, and a handful of specialty malts add complex chocolate, toffee, and caramel notes. The hops are mostly traditional, earthy British hops, but we cocked it up a bit with some Cascade late in the boil just to show those snooty Brits that we don’t approve of that Constitutional Monarchy crap.
- Attention Span : Mango, Fresh Cut Grass, Orange Marmalade, Biscuit, Bitter Grapefruit.
- Black Saison : Saison brewed with dark grains and sugar
- Demen's Black IPA : Peter Demens, a noble Russian aristocrat, brought the first train to St. Petersburg via the Orange Belt Railway on June 8, 1888 carrying eight empty freight cars and one passenger. Naming our city after his beloved birthplace, St. Petersburg, Russia, Demens is remembered through our daring and aggressive IPA that is dark, yet assertively hoppy.
- Hop Suplex : Hop Suplex is juiced with six different hop varieties in the brew kettle and our slow, heavy weight dry-hop additions added by HopfenKubel. Hop Suplex Ale features Saucony's widest range of hop varieties and our most complex hopping schedule. Hop Suplex weighs in at 10% ABV compliments of a hefty grain bill, but a dose of honey balances the flavor and compliments the floral and strong citrus tones of grapefruit, melon, and gooseberry provided from our favorite selection of hops.
- Out Of The Ashes - Smoked India Pale Ale : The fifth member of the series, Smoked IPA, mingles a soft sweet smoke with citrus zest in the aroma, each fighting for dominance. Strong hop bitterness cuts through at the end to keep this beer clean, bright and full of flavor. FCB utilizes hand-crafted malts from Copper Fox Distillery to process a floor malted, dried in a traditional wood-fired kiln, and smoked by smoldering select fruitwoods on top of the distillery kiln room’s cast iron stove to create the unique flavor palate of the Smoked IPA.
- Lorna Bray Fly Girl : Lorna Bray Fly Girl is not your average stout. This Nitro Oatmeal Stout is bold and courageous - just like its namesake. Brewed with loads of cookie-like oats and dark chocolaty malts, we've nitrogenated this beer to elevate its silky smooth cocoa character to new heights.
- Cacao Porter : Like Grandma’s semi-sweet chocolate chip cookies hot from the oven, CACAO’s aroma is irresistibly tempting. The tightly-laced tan head and dark brown color invites your palate to experience CACAO’s richly smooth texture and creamy dark chocolate flavor, giving way to a clean, earthy hop ending.
- Zulu Haze : Another New England style IPA. We use a simple grain bill and significant portion of flaked oats. Simcoe and Citra hops work in harmony for huge flavors and aroma's of evergreen, melon, guava, citrus, and passion fruit. Unfined and Unfiltered.
- Hoppy Table Beer : While Hoppy Table Beer was inspired by the Belgian tradition of low-ABV, easily drinkable beers, it still occupies a hop-forward spot all its own. Brewed with our 2-row malt blend, Maris Otter malt, and oats, the beer is then spiced with a subtle addition of coriander. We ferment it with our house yeast for classic Belgian citrus aromas. Hoppy Table Beer is hopped with Chinook, Cascade, Comet, and Azacca hops, then dry hopped with more Comet and Azacca. A mildly hoppy aroma full of grapefruit springs from this straw-colored, light-bodied ale. Flavors of pine and stone fruit balance the beer’s clean, slightly bitter finish.
- Barbossa : Toasty and rich, this India Brown Ale owns a full arsenal of fruit and pine hops existing in contrast with a deep and near resinous malt body.
- Kuhnhenn Stollen Christmas Ale : This Christmas Ale is spicy, slightly sweet, and super fruity. It is like drinking Stollen roll bread.
- Gale's Redwood : Brewed with pale ale and Imperial malts, Gales Redwood is a forest of biscuity, malty flavour - while sweeter bready notes and deep red colour come from the addition of rye crystal. Pride of Ringwood and Galaxy hops bring lighter flavours like passion fruit and citrus to the palate, before that gently spiced finish.
- Pale Ale : Massive up front fruit with strong freshly crushed grain. Passionfruit and lychees predominate with a stonefruit undertone - fruit salad on weetbix. Grassiness from three Nelson hop varieties compliment the fruit to give an aroma reminiscent of a Marlborough Sauvignon Blanc but the grunt in the palate leaves you in no doubt that this is a very serious beer.
- Strawberry Wheatness : Strawberry Wheatness is a wheat ale made with strawberry puree. The nose is bright and intense strawberry, while the fruit flavor is more muted in the mouth. The bready taste from the wheat malt and a touch of vanilla make the whole experience similar to having a waffle with strawberry and cream on top.
- Reheat: Cab Franc & Cab Sauv : Reheat is a reboot. After making supercruise and mach-limit - our more heavily-fruited wine hybrid ales - we leave a small amount of finished beer in the barrel. We use fresh golden sour wort to refill the barrels, refermenting with only the microbes left in the beer and leaving only a kiss of grape character. This beer is designed to give an increased fruity acidity and be light enough in color to allow only the slightest hint of fruit to peek through. Tangy and wonderfully delicate, this beer is an ode to the previous year's harvest and a reminder of the season to come.
- Pale Ale Dry Hopped W/ Citra And Amarillo : Oops! This beer got the IPA dry hop treatment (Citra & Amarillo) by mistake. A very happy mistake. Clean and crisp with the lingering bitterness of Stoneface Pale Ale; bursting with citrus and tropical fruit aroma from the heavy dose of dry hops.
- Rodenbach Caractère Rouge : Flanders Red Ale- two-year ale matured in oak foeders, that is aged for an additional six months with cherries, raspberries and cranberries. Vinous and very complex with notes of wood and caramel. 
- Porter : A legend in the high country, this unique porter is overflowing with refreshing malt aromas and has a creamy, persistent, tan head. Delve deeper and you will find a perfect balance between traditional English hops and the complex malt flavors, finishing with a smooth balance between chocolate and coffee. 
- Surly Mosh Pit : Surly Mosh is a bigger meaner version of his younger brother. This Imperial red has it all! A perfect harmony of ripe fruit and caramel malts, bitter hoppiness, and a swift kick in the pants. This aint your grandmas red!
- Southport West Rock Stout : Smooth and very velvety. Dark roasted malts, flaked barley, and select hops are blended together to create this traditional Irish stout. Outstanding!
- Thick Ambient : Cherry Black Saison brewed with rye and midnight wheat. Fermented with our house saison culture and 100lbs of sweet and tart cherries from our great friend Ben Wenk from @3springsfruit in beautiful Adams County, PA.
- Black Curtains : True to its name, the beer pours black with a thick dark tan head. Its rich malty aroma and roasted malt astringency and bitterness are balanced with a relatively high level of floral and citrus hop character. This beer is a brewery only beer, which means the only way you can try it is to come to a tour on the first or third Saturday of the month from 1:00 to 3:00.
- Winter Warmer : Strong, malty ale brewed with a touch of light and dark crystal, chocolate and pale malts. Hopped & dry-hopped with Citra, combining the color and flavor of an old ale, with the flavor and aroma of an imperial I.P.A.
- DH (sort Of) : A non-fresh hop version of our harvest ale. 2-row, Special B, and Chocolate malts give this beer a malty backbone. The beer has unique hop flavor and aroma with late and dry hop additions of Mosaic, giving it tropical fruit and earthy characteristics.
- Hoppy Poppy : This IPA is sure to please with its rich bourbon color, grapefruit aroma, fruity hop character, and dry clean finish.
- In The Bluff : In the Bluff Berliner Weisse is a low ABV sour German wheat beer. "Weisse" translates to "white," and this style is probably closer to a Belgian wit (e.g., Allagash White, Blue Moon) than to the average banana-y hefeweizen. To make this beer, we took the standard wheat beer malt base and added a souring bacteria (lactobacillus). From there, we forged our own path. We fermented In the Bluff with a farmhouse ale yeast, imparting fruity and spicy character to the beer. Then we lightly dry hopped it with Equinox and Cascade hops. The resulting beer boasts a tropical aroma of papaya, lime, and green pepper and drinks with a refreshing lemony tartness with a hint of salt. To put it simply, our Berliner Weisse is a beer drinker's Gatorade. It's summer and there's no better time to get In the Bluff. Limited availability. 
- Modern IPA : This is a tasty tribute to a beloved and iconic beer style - the India Pale Ale. The style goes 200 years back - has been through every spectrum of the flavor palette and had it’s ups and downs on the IBU scale. This time around we re-created a contemporary style IPA - basically the taste of the perfect IPA right now. Understated hop flavors, fruity and crisp. The future is now.
- Bourbon Barrel Cavatica Stout : From Bardstown, Kentucky, the Bourbon capitol of the world, to the Northwest coast of Oregon – a truckload of freshly emptied Willett Bourbon barrels rolled into Fort George Brewery, filling the block with a strong oaky aroma. The brewers dutifully filled each one with rich, dark Cavatica Stout and positioned them in the Lovell Showroom windows. And there they sat through the spring, summer, and fall months, aging until the brewers determined it was time. It is time.
- Vanilla Porter : A full bodied dark ale with low hop bitterness and roasty undertones. Prominent aromas and flavors of Madagascar Vanilla make this a Freedom's Edge favorite!
- Transition : Brewed with rye, dark malts, raw wheat, and oats, Transition is the first in a series of seasonally inspired country beers. Fermented with our unique Belgian yeast strain and seasoned for 3 months in oak, Transition has notes of sweet caramel tempered by judicious earthy spice. Naturally conditioned and further developed in the bottle, Transition is characterful and finishes with a hint of tartness and soft acidity. All our Brettanomyces Country beers are lively, and effervescent. Please chill, open cold, and enjoy as they warm in the glass.
- Venerable Parrot : Brewed with a special blend of hops, premium 2-row malted barley and fermented with grapefruit concentrate. Served with a sprig of rosemary – the aromas and flavors work together to create a very special drink.
- Crayon Ponyfish : Crayon Ponyfish is Short’s Peachy Pom Pom (American Sour Ale) aged in wine barrels with Brett. Dark copper-colored with a slight haze, Crayon Ponyfish has aromas of funk, oak, and tart fruit. At first sip this brew is mouth puckering sour. Flavors of barnyard funk, tart peach and pomegranate, and take turns dancing on the tongue before a dry finish.
- Janitor Jackalope : Sour Spring Ale brewed with 50% wheat. Enjoy it straight for a tart and refreshing experience, or with our house-made grapefruit/sorrel/tarragon syrup (sorrel & tarragon came from our main man Tom Culton) for a mind bending freak out experience.
- Maracujipa : Maracujipa is a citrous IPA. Old news, right? But instead of dry hopping, we add passion fruit into it, creating a hoppy and bitter fruit beer.
- Simmons ESB : This is our first beer to delve into the “Amber” spectrum. The noses has layers of classic malt complexity along with notes of dried fruit. The body is rich and showcases the flavors brought forth by the Marris Otter malt and Goldings hops. This leads to flavors of toast and fruit preserves on the palate. Overall a very traditional representation of an Extra Special Bitter.
- BottleTree Red : Earthy hops, English floor malted barley,leading to a very complex malt profile.
- Pablo Picasso : Dark Belgian ale aged in Cabernet barrels for over a year with Piedt Farms sour cherries
- Farmer's Reserve Nectarine : Is there any pairing more perfect than sour beer and stone fruit? We start with the very best fruit: yellow nectarines grown in the bright Central California sun at Blossom Bluff Orchards, along the banks of the King’s River.
- Campfire Coffee Stout : Made with millet and locally roasted Campfire Coffee from our friends at E.V.P. for a dark beer with a bitter-sweet finish.
- Moa St Josephs : Moa St Josephs is brewed in the traditional style of a classic Belgian Tripel. Strong spice and clove characters create complex flavours and aromas which are heightened by its extended bottle conditioning, with a combination of malt and candy sugars complimenting the high alcohol content produced by the Belgian ale yeast. Best served at 8°C in a goblet after gently rolling the bottle to distribute the sediment signature.
- Devils Whale : Imperial Smoked Stout - A combination of 10 different malts layer together to give you bold complexity in a glass. Big roasted, coffee, smokey notes upfront. Ending with a slight malt and caramel sweetness. Medium mouthfeel , no alcohol heat on the palate but warming as it goes down.
- It Came From The Equator : Tropical Stout - A velvety rich and roasty stout with a full sweetness, but surprisingly dry finish. Think a dark flourless chocolate cake in a glass!
- Mash : An English Barleywine aged in Bourbon barrels, Mash is an intense yet balanced beer with notes of burnt caramel, toasted bread, ripe pear, dried figs, vanilla, toasted coconut and finishes with oak tannin. This has become an instant favorite around the brewery due to its balance, subtle complexities and overwhelming deliciousness.
- Anniversary Ale : Brewed with family-grown malted barleys from Two Track Malting in North Dakota, this strong Belgian pale ale is borderline IPA. It's fermented with Belgian candy sugar and a classic Belgian Abbey yeast and has all the bitterness and tropical fruit characteristics of Mosaic and El Dorado hops.
- Merman NY IPA : Bringing together the strong malt backbone of traditional East Coast IPAs, the clean hop bitterness of West Coast IPAs, and the hazy, intensely fruity hop character of New England IPAs, we have created an IPA that stands alone. Thrill your tastebuds with Coney Island Merman IPA, our very own New York IPA.
- Maple Stout : The addition of natural maple brings this premium Stout a softer, smoother mouth feel and adds a touch of sweetness to balance the dark rich malts. It is a truly Canadian version of an old British classic.
- Fat Tuesday : This beer is alternately called March Forth Beer (credit to Steven Turpin of IPR) because I brewed it on Fat Tuesday. This is an experimental beer that used locally grown Nugget hops from GW Hops and Honey and were grown right here in Muncie. It is 4.7% ABV and has very caramel notes in the malt character. This beer was also an experiment with the Zythos hops so those citrus/tropical fruit flavors are also present. A clean, easy drinking beer.
- Spider Bite : Dark yet light bodied with a snappy hop bite from Columbus, Bravo, Cascade and Simcoe hops plus a touch of black pepper.
- Sigma / B-52 - Brother Seamus : Brother Seamus is a shake IPA version of Brother Shamus. This is brewed with Citra, Ekuanot, Mosaic and Galaxy hops, plus lactose, pineapple, passion fruit and guava. A collaboration with B-52 Brewing Company.
- Resonance Saison : Bright, rustic and complex, Resonance is an elegant new take on the classic saison style. A blend of two fermentations -- one dry and earthy, one tart -- creates juicy citrus notes, balanced by subtle spice and an effervescent finish. This beer is dynamic, melodic and pleasantly surprising on the palate, a simple luxury welcome at any dinner party.
- Mission St. Session Peach IPA : A session IPA perfectly suited for those dog days of summer, Mission St. Session Peach IPA is charmingly bright and keenly balanced. Brewed with peaches to lend a faint stone fruit nose, this lightly colored and crisp bodied IPA delivers a juicy mouthfeel with a slightly hoppy finish.
- Soul Seeker : Rich, Dark Chocolate, Coffee. A substantially rich and full bodied dark ale encompassing silky smooth layers of dark chocolate and coffee, with a bready, toffee-like finish. Brewed using 7 malts and flaked oats then balanced by the restrained use of Chinook and Mt Hood hops. Intentionally released the day before Halloween; one of the scariest ghosts you could come across in a haunted house is a soul seeker. These specters from the great beyond spend their time roaming the halls looking for unsuspecting victims to steal the souls from.
- Local's Stash Reserve Series: Colorado Chocolate Cherry Imperial Stout : This Imperial Stout is brewed with 100% Colorado-grown malts, hops, and fruit. The dark chocolate flavor comes from unique Colorado grown and malted grains provided by Colorado Malting Company; hops sourced from High Wire Hops adds fruity aroma; and Cherry puree from Leroux Creek added in the secondary fermentation amps up the tart fruit flavor. The result is a beer reminiscent of a cherry cordial.
- Trailrunner Golden Ale : Trailrunner Golden Ale is our easy drinker! A perfect sipper to refresh after a run around Brushy Creek, a bike ride down Parmer Lane, a morning full of yard work, or a long day at the office. This crisp session ale is brewed to be subtly complex and incredibly approachable. We even take special measures to reduce the gluten content in Trailrunner, so our gluten sensitive friends can imbibe without concern! Check our menu board to see our lab verified gluten content for each batch.
- Incredible Pedal IPA : This American IPA greets you with lush floral, citrus, and tropical fruit on the nose. A medium bodied ale with a touch of sweetness, she will gear you up for a finish full of tangerine and grapefruit. Incredible Pedal is a hoppy beauty that takes you for a ride!
- Smuttynose Short Batch #12 - Noonan : What we've ended up with is a light-bodied, non-acrid, dark-colored 6.5% beer with plenty of hop flavor and aroma. Magnum hops contribute an elegant and refined bitterness that parallels the reduced astringency. The late boil additions of Bravo and Sterling contribute a spicy, piney flavors that stop just short of being out of proportion. Despite all the tasty hopping, Noonan's light IPA-style body makes this beer refreshing, something you don't normally find in a dark beer.
- Danke : Danke ("thank you" in German) is a new small-batch schwarzbier. Nutty and smooth with a touch of roasted character. Don't be alarmed by the dark cloak — this is a brew to sink by the half-liter.
- Marzipandemonium : Some people sculpt marzipan into flowers and animal shapes. We went nuts and recreated it as a beer. This limited release brings the party to your palate, showcasing the flavors of marzipan while kneading it into our favorite day of the week. We took our Tuesday-inspired imperial stouts, already roaring with flavors of vanilla, caramel, dark chocolate and bourbon barrel-aged bliss, and folded in almond character and extra vanilla to mimic the sweet, nutty notes found in marzipan. It’s unbridled enthusiasm in a bottle, just waiting to be unleashed amongst friends.
- Harumeku : Brewed in the farmhouse tradition at the first sign of Spring to last through the growing season, Harumeku enshrines the rustic lemongrass notes of Sorachi Ace hops, perfectly balancing our tart, peppery, fruity saison yeast.
- Day & Night (Honduran Manasapa Barrington Coffee) : This Barrington cold brewed coffee infused blonde barleywine is the luminous counterpart to our dark, rich imperial stout. In Day & Night, we envisioned the blonde barleywine style as a way to showcase the nuanced floral, fruity, and spicy characteristics found in medium and lighter roast coffee blends. Golden-Amber in color, Day & Night exudes delightful aromas of almond toffee, graham crackers, fruity coffee, lightly acidic berries, and vanilla. Upfront flavors of creamy coffee, honey tinged malt, caramel, and tart berry blend cleanly with a slight coffee-derived bitterness.
- Rio Grande IPA : A complex, layered hop mixture makes this a well rounded IPA with strong grapefruit and pine flavors with a hint of pepper. This beer has great head retention and strong hop aroma.
- Sleeping Forever - Frederiksdal : Frederiksdal is an incredibly complex cherry wine from Denmark. We aged the 2017 vintage of Sleeping Forever in these amazing barrels for 14 months. The final product possesses notes of deep, juicy cherries, baking spices, Pinot noir must, dark cocoa powder, molasses, maple candies, and oak tannins.
- Red Racer I.S.A. : Mosaic hops lend to this light and fruity ale with a good bitterness and malt balance, coupled with refreshing hops aromatics. Red Racer India Session Ale is big on flavour, yet light in alcohol.
- One Ear : One Ear is an unspiced 'naked' Saison brewed with barley, oats, and rye. A Free-Rise fermentation develops a light fruit and pepper, while the assertive hoping profile creates a dry finish.
- Hofbräu Hefe Weizen Dunkel : Combining refreshing notes of wheat beer and the richness of dark beer, Hefe Weizen Dunkel creates a wonderful and unique flavour. This one-of-a-kind beer is fermented similarly to light beer and stored in kegs for about one week, but in a way as unique as its flavour: upside down! Just before tapping time the yeast redistributes by turning the keg upright.
- Minute Man : Forget everything you know about IPA’s! This unique and brand new style of IPAs has a super low bitterness, allowing the fresh fruity flavor and aroma of hops to completely dominate. This beer is unfiltered and unclarified, leaving the yeast to add to the smooth mouthfeel. The Galaxy, Mosaic and Idaho 7 hops make this beer super “juicy” and fruity with a strong, citrus bouquet aroma.
- Ol’ Loco IPA : Using exciting new aroma hops, our IPA boasts big hoppy flavor and aroma. Clean citrus flavors like grapefruit and tangerine mingle with interesting tropical notes like lychee and mango. It’s big, it’s hoppy, and it’s held together by a well balanced, crackery malt profile from an heirloom English malt.
- Hidden Gem : Hidden Gem is a is a fresh IPA with a light malt base and strong fruity hop character. The
- State Of Funk #8 - Because Of You : A Blonde ale fermented with 12 different Brettanomyces strains (aged in the barrel that held batch 1 Cassis Deux Rouges) with Buddha’s Hand fruit.
- Gilded Age Dark : Cabernet Sauvignon Barrel Aged Belgian Strong Dark Ale
- Cascade Blauw Van Der Jon Berry : This NW style sour ale blends wheat & blond ales that were oak aged in barrels for 6 months, then additionally aged 4 months on fresh blueberries. Huge herbal notes of dense blueberries in the nose give way to hints of oak & a dusty floral note. Rich earthy notes of dark fruit on the palate lead to a tart finish that dries out to a base note of blueberry skins.
- Walnut Brown Ale : You’ll go totally walnuts over this oak-aged, walnut-seasoned brown ale. Made with a brewing style that dates back to 16th-century England and using a blend of six choice malts and two English hops, Goodwood Walnut Brown Ale features notes of caramel and chocolate with a finish that is – you guessed it – pleasingly nutty.
- Bog Water : Malty, with a plum-like fruitiness that is offset by spicy, earthy bitterness.
- Tony Bag O' Donuts : Sour saison with passion fruit. Collaboration with LIC beer project.
- Pappy's Dark : "Brewed with six malts of Belgian & British origin. Bourbon in color with a very complex and interesting malt profile. Matured in 9 & 10 year old bourbon barrels for 2-4 months. Bright aromas of bourbon, fresh baked bread, caramel, and oak. Velvety texture, rich malt and bourbon flavours with an enticingly warm bourbon finish. 10% alc/vol 40 IBU's"
- Good Stuph : Rich and slightly sweet upfront, this strong stout features a solid bitterness to balance the malt and a mild alcoholic warming. Dark chocolate and coffee notes are apparent, with subtle hints of molasses and licorice.
- Cheakamus Chai-Maple Ale : A mild ale with all the freshness of maple syrup – and a little bit of springtime spice for good measure. This dark bronze ale is made with real maple syrup, added right to the mash. Then, a trace of chai tea is added during the filtration process. The result is a highly complex, mildly spicy palette structure. One taste, and a simple truth is clear: complexity can be a very beautiful thing.
- I'll Have More : Cleetus Friedman of City Provisions teamed up with Dark Horse Brewing Co. to release this chocolate, caramel, and toasted rice stout that has a flavor profile based on Nestle’s 100 Grand candy bar.
- Dark Illusions: Volume 1 : Volume I introduces a kettle sour ale of the finest malts married with a classic American Dark Ale and powered with cinnamon, coffee and cherry.
- Dead Ringer : Our Dead Ringer Oktoberfest lager is inspired by old-style Märzen brews customarily enjoyed during Bavaria’s world-famous beer festival. Thanks to an abundance of toasted malt and a lower hop bitterness, this dark reddish brown lager is loaded with sweet, caramel toffee flavors and aromas. All the taste and celebration of Oktoberfest packed into one bottle; no lederhosen required.
- Apricot Ale : This NW style sour blond ale was barrel aged for up to nine months, then aged on fresh apricot for an additional six months. Aromas of sweet apricot blossoms and tart fruit are present as you draw the glass near. Deep, rich apricot flesh, then tart apricot notes dance on the palate and lead to a sweet apricot flesh finish with a lingering fruit tartness.
- Asphalt Jungle : Back in the day this spot used to be a car dealer and repair shop, when we did demo in the garage (now brewery) and several other places on site, we found layer after layer of asphalt. The name of this black as night Irish dry stout was inspired by the darkness of that rubble. Pushed with nitrogen, this beer has a nice cascade and creamy head. Low on hops, its soft and dry, but rich with roasted flavors. Yum!
- Pale Down Unda : Aussies and Kiwis unite in this international pale ale made with Australian Galaxy and New Zealand Nelson hops. The two come together to present a fruity bouquet of citrus, peach, passion fruit and white wine notes, giving it a “juicy” mouthfeel.
- Blueberry Thrill : Brewing with a hill of blueberries composes a fruit flavor that lingers. Tropical hops play a sweet melody balanced by the bitterness of vow that were never to be.
- Jukebox-Hero : Our black IPA is bursting with crisp, clean bitterness and layers of wonderful American hop character. Pale Ale, Munich and Naked Golden Oats give a toasty malt backbone with a smooth mouthfeel. The dark ominous color comes from the Chocolate Malt and the de-husked highly roasted malt. We want the layers of hops to shine against this roasty malt backdrop. Warrior, Citra, Chinook, Centennial and Amarillo lend bitterness as well as a wonderful cornucopia of aromas and flavors of fresh citrus fruit, pine, fresh cut mint and fresh flowers they offer.
- Ransack the Universe - Hemisphere IPA : Galaxy hops from Myrtleford, Victoria in Australia and Mosaic hops from Yakima, Washington, USA, deliver aromas and flavours of tropical fruits, mango and citrus. Light malt body lets the hops shine through, and finishes crisp but not bitter. A hemispheric hop mashup.
- Experimental #409 - Barrel Aged American Strong Ale : A strong ale that has been aged 12 months in artisanal dark rum barrels. Aging has giving the ale characteristics of dark rum, molasses and caramelized sugars.
- Café Samson : A strong dark beer, with nods towards the imperial stout style, but run through our coolship. Aged in American oak barrels, then infused with Bali Blue Moon coffee beans from Sleepy Monk Coffee Roasters.
- Tomten : The staff here at Half Acre Beer Company was tasked with creating a beer that we’d all like to drink. Many different styles, names, and label concepts were pitched, but the one that stuck was Tomten. A fruity aroma atop a sweet 6.5% ABV amber base, Tomten suits an evening of staring at the stars over top a snow covered landscape, farm or city.
- Abbey Normal : BJ's Abbey Normal is what the Belgian's call a Dubbel (or Double Ale), which is the most popular style of Abbey Ale. This historic beer style is traditionally brewed by Trappist Monks in Belgium. A full-bodied, light brown ale with a fruity flavor profile, the unique bouquet of fruit and spice comes from fermentation with an authentic Trappist yeast.
- Gin Pocket Watch : Grape/Plum/Currant Midwest Fruit Tart- Brewed with concord grape, black currant, red plum, vanilla beans, cinnamon, juniper, orange peel, lemon peel, coriander, anise and peppercorn.
- Cup Of Jose : This robust coffee porter has a light to medium body, fine tan head, and is brewed with Panther Coffee east coast premium blend espresso that adds soft chocolate, sweet black cherry, ripe coffee fruit with a sugarcane finish.
- Lupulin Amnesiac : Lupulin Amnesiac is a double IPA with zero kettle hops. Instead, we piled in crazy amounts of Galaxy and Denali during active fermentation and in the dry hop to create huge passionfruit, pineapple, and peach flavors and aromas.
- Caramelized Chocolate Churro Baltic Porter : Big flavors do not have to be synonymous with one-and-done beers. We love dessert just as much as we love dark beer and we think that enjoying more than one of either should never be a problem. In this medium-bodied Baltic Porter we use a combination of specialty malts and caramel to capture rich flavors like chocolate, caramel and vanilla alongside a lager yeast that brings a clean finish. This Baltic Porter pairs well with dishes such as chocolate mole or caramel flan.
- Belgian Brown : This is a dark brown ale balanced but not hoppy. It leans more to the malty side and has a dry fruity finish with peppery and spicy notes.
- Scotch Ale : Hearty dark ale brewed with peated malt and Sterling hops.
- Birdhouse : Straw color with slight haze, grapefruit aromas mixed with bread, medium body with a crisp finish and a firm hop profile.
- Sanitas Imperial Stout : This full-bodied ale presents a roasty malt character with undertones of chocolate and caramel. Various imported and domestic malts help add to the complexity of this style. This is a personal favorite! I like to sit with this beer as it warms to pick-up its layers of flavor. What do you taste?
- A Year With Dr. Nandu : This is our one year anniversary IPA. This beer is the full strength IPA of the Session with Dr. Nandu which was the first beer ever brewed by the Aeronaut team (even before it was Aeronaut). The original beer was inspired by the Spanish Table beer Guineu Riner and Founders All Day IPA. The concept was to make a delightful, light, floral, fruity highly drinkable pale ale. In this beer we find a faint malt sweetness is paired with a distinct bitterness and rich tropical aromas of Mosaic hops.
- Pure Fury : Intensely hopped yet restrained, bright and tropical fruit forward American Pale Ale with Amarillo, Mosaic, Bravo and Cascade hops. An essay in finesse.
- Braunstein Porter : Malt: Münich, Øko Crystal, Premium Pils, Dark Wheat, Caramünich, Crystal and Carafa.
- Hr. Frederiksen : When poured into the glass you will instantly sense that Hr. Frederiksen is a gentleman with both potency and a huge personality. Dark as Hr. Frederiksen's humor, this imperial stout is inspired by the American imperial stouts with it's dense and creamy light brown head that leaves nice lacings in the glass while the head reluctantly dissipates. We are willing to admit that we went crazy with the malts in this beer. A massive 8 different types of malts were used, and it is the dark and heavily roasted ones that give the beer it's color and almost extreme full body - this is almost a meal in a bottle. The bitterness is also delivered by the heavily roasted malts backed up by the American Centennial hops. Oh yes, Hr. Frederiksen is an experience which should be enjoyed slowly, but in return he will last all night warming you with his alcohol and challenging charm. We have named this beer after a good friend, without whom, Amager Bryghus would not be what it is today.
- Double Stout : We explored 19th Century British Stout recipes, then charted a fresh course to land on a modern American version of the old-world classic. Our Double Stout encompasses the very best of both worlds. Golden naked oats, dark crystal and roasted malt offer a luscious balance of bittersweet chocolate and hints of coffee. Fair winds and following seas. Smooth sailing, all the way home.
- Ouro Preto : Brewed in collaboration with award-winning home brewer Matt Kennedy, Ouro Preto (Portuguese for Black Gold) is a traditional German black beer made with noble hops and dark roasted, dehusked barley lending a mild roasted flavor. Slightly lighter in color than style traditions dictate, this refreshing sessionable lager was brewed for that time of year when long summer days give way to dark winter nights.
- Imperial Red Ryeot : This Imperial Red Ale takes everything we love and turns it to 11. The hops leap out of the glass with that bounty of pine and the rye and malts interweave a complete cacophony of rich raisin, spice and caramel. This might be the most richly flavored yet balanced 9% alcohol beer we have ever made. Just ridiculous amounts of everything, but somehow Daniel was able to bring it all together into a tightly knit package that is rich but dry and bitter. With 100 IBUs, it is a outrageous hop bomb that is perfectly balanced by malt complexity.
- Kuhnhenn Penny Black : Black in color, this Cascadian Black Lager has a lightly hopped malty nose. The hop character is supported by dark malt richness. Dark beer lovers as well as hop fans will enjoy this beer.
- Exaggerator Double Bock : Dark copper, full bodied beer with a nice malty flavor in the front and finishes with caramel and slight hop notes. 7% ABV, 29 IBUs
- White Thai : This beer, inspired by the flavors of Southeast Asian cuisine, is a twist on the classic Belgian witbier style. Instead of the traditional coriander and orange peel spicing regimen, we add fresh lemongrass, ginger root, and a dash of Sorachi Ace hops. The result is a wonderfully refreshing ale with notes of lemon candy, citrus fruit, and a slight spiciness from the ginger. Best served at 45˚F in a tulip or wine glass.
- redferrari : redferrari is a slight riff on our luxuriously soft 8% DIPA whiteferrari. redferrari undergoes the same brewing process, same malt profile, and same hopping techniques as whiteferrari. The only difference between the two is whiteferrari is hopped 50/50 with Citra and Galaxy hops while redferrari is hopped 50/50 with Mosaic and Galaxy hops. Same incredibly soft mouthfeel and beautiful Galaxy character, this time complimented by the dank, bright stone fruit/tropical fruit characters from the Mosaic addition. This turned out to be an incredibly beautiful beer.
- IPA : New Zealand and Australian hops provide a tropical, fruity character.
- Psamthe IPA : This IPA is kettle hopped with Centennial and Cascade hop varietals for a gigantic hop taste and aroma. Centennial is also added during fermentation to further bring out the grapefruit and pine resin aromas. A strong malt backbone makes this beer very balanced. 5.8% ABV 64 IBU
- David : East Coast meets the Midwest! Our friends from Iowa’s “Toppling Goliath Brewing Company” embarked on a twenty hour, 1,200 mile journey across the eastern United States to collaborate with us on this super hop-saturated Double IPA. We merged a grist of Pale and Caramel malts with a very liberal dose of Citra, Mosaic, and Simcoe hops to produce a soft but extremely potent creation. Your nose will be greeted with aromas of bright citrus and tropical fruits before a sip unlocks a flavor much like biting into a ripe juicy orange. A complex bounty of hoppy/fruity flavors continue as a clean citrus bitterness balances things out propelled by tight carbonation and a luxurious mouthfeel. We find “David” to be absolutely delightful. . . the product of our respective brewer’s dedication to an uncompromising, delicious product. David is fleeting and ephemeral, so enjoy him fresh with a friend and forget about life for a while.
- Thrasher-er : Brewed with orange and grapefruit zests.
- Double Shot : Our rich, decadent coffee stout. This one's soft cocoa flavors open up to reveal a richly complex treat. We taste flavors of chocolate cake, "coffee candy", milk chocolate, with heaps of vanilla. A pungent & distinct coffee stout for sure! A rich, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike!
- 2014 Riesling Blonde Sour Batch No. 1403 : This fruit forward blonde sour is a blend of both white wine barrel and foeder fermented beers. We fruited this golden beer with late harvest riesling skins and juice early in fermentation to allow the tropical characteristics of the grape to evolve and mature during the long Brettanomyces fermentation.
- 27th Anniversary Wheatwine Ale : Full Sail’s 27th Anniversary Wheatwine contains no barley malt, instead, it is mashed and brewed with 100% Wheat Malt. The beer has a rich golden hue and is brewed with Wheat and CaraWheat Malts and hopped with a blend of UK and NW hops. Complex aromas of apricot, spice, and citrus lead to a smooth palate, blended with notes of caramel, marmalade, and green hop overtones.
- Fresh Hop 7 Jack Pale Ale : This single malt, single hop brew is made with 100% Idaho pale malt, fresh hopped with an amazing monster of an experimental variety from Jackson Hop Farms in Wilder, Idaho. This pale ale allows the character of its ingredients to shine through and be celebrated. Whole fresh cones were added during the brewing process, giving this beer a floral, fruity, very tropical aroma. It has a fresh citrus flavor and a light malt profile making it very easy drinking.
- Munich Dunkel : German dark lager with a pronounced roasted malt aroma and flavor. Finishes crisp and clean.
- Oblong : American Dark Strong Rye Ale brewed with 30% rye.
- El Calypso Sauvin : El Calypso Sauvin is a golden colored India Pale Ale with soft aromatics of citrus and pear. Tangy fruit flavors of guava and orange, give way to a big grassy and peppery hop bitterness that lingers, drying the palate.
- DEADBOLT : This American hop bomb is chock full of Citra, Amarillo, Simcoe, Mosaic, and Columbus. Clocking in at 83 IBUs and 9.2% ABV, this Double IPA focuses on tropical fruit aromas along with a touch of dank pine. DEADBOLT finishes dry and crisp with a clean, lingering bitterness.
- Ursa Minor : Dark as squid ink and moody as the sea, Ursa Minor is our take on a winter wheat beer. Starting with a German wheat-beer yeast and a base of malted wheat, we added a blend of dark crystal and roasted malts to create a wheat stout. Redolent of dark fruit, weizen yeast esters, and roasted barley, Ursa Minor is perfect for an icy winter’s eve.
- Devil's Advocate : This intensely full-bodied brew starts out malty sweet – with fruit and caramel flavors – and finishes the balancing bitterness of English hops.
- Coppersmith Brown Ale : Our Coppersmith Brown Ale is a dark and welcoming beer that boasts a bold malty flavour with caramel sweetness that balances a slight biscuit aroma.
- Ti Jean : This easy drinking, hoppy and complex pale ale is brewed and dry-hopped with U.S. grown Amarillo hops and fermented with authentic Belgian ale yeast. Little John would have been happy to take a growler 'On The Road'. Happy birthday Jack Kerouac! (3/12)
- Pied Piper Of Cool : The “A” in this APA could stand for Australia. Southern hemisphere hops dominate this well balanced pale ale with tropical fruit and citrus notes in the aroma and flavor.
- Black Blood : "This cherry porter was brewed during our Kriek Kamp days a few weeks back. It combines a substantial Porter base brew with an extremely generous blend of Bing and Montmorency Cherries from Phil Evans’ orchard in Mosier. The cherries were hand-pressed by fourteen lucky campers; the cherry character is quite dominant and throws a lovely ruby-black head on top of the roasty dark brew beneath. Available in extremely small quantities." 
- Passion Fruit Sour : Envision standing on a beach, slicing a fresh passion fruit, watching the waves roll in. That's how our passion fruit sour will make you feel. Aptly nicknamed "a vacation in a bottle," we blend in passion fruit with a variety of house yeast strains during its 18 months of aging in oak barrels to develop a refreshing, tropical sour ale balanced with just the right amount of unique barrel notes.
- 7 Swans-A-Swimming : 7 Swans-A-Swimming is the 7th beer in our "12 Days of Christmas" series. For this verse of the story, we chose the path we don’t often take – we brewed to style. No bells, no whistles, just our best take on the Belgian Quadrupel style. Brewed with nothing but water, malt, yeast, hops and a bit of Belgian dark candi sugar, this beer may not be as out-of-the-box as some of our past winter brews, but it’s just as tasty. Rich and complex, this robust dark ale juggles notes of raisin bread, dried apricots, burnt caramel and roasted pecans. The sweet flavors provide a full body and the bright yeast wafts the sweet holiday notes out of the glass, into your life. 7 Swans-A-Swimming is a perfect holiday sipper. Delicious right now, but suitable for aging up to 5 years, upon the release of 12 Drummers Drumming.
- Yorkshire Porter : Queen City Brewery’s interpretation of this classic English dark ale is rich, full-bodied, and well-balanced with an unparalleled smoothness, an understated hop bitterness, and a malt profile that accentuates the chocolate and coffee-like character. (ABV 5.0% IBU 36) - Porter
- Sun Charged Golden Ale : Sun Charged is our first beer made with Solar Power. It is a light golden sun color ale with a subtle fruitiness and delicate hop aroma. A smooth, easy drinking refreshing ale. The lightly roasted aromatic malt contributes to the golden hue of this beer and also gives a slight sweetness that is balanced out by our special blend of hops.
- Keepin' It Peel : This invigorating and well-hopped IPA carries a vibrant bang of juicy & tangy grapefruit and lime peel without venturing off the path of a solid, every-day IPA.
- The Sword - Iron Swan Ale : Real Ale partners with band The Sword to create Iron Swan Ale. Our newest canned offering is a tribute to the song that first introduced us to a packaging hall favorite, The Sword. Iron Swan pours a deep copper color and has an enticing intro of fruit and caramel with subtle hints of earth and spice. This medium bodied ale showcases the fruitiness of our house ale strain, along with the rich toffee flavors of English crystal malt. Added complexity is provided by generous amounts of English hops. Iron Swan finishes slightly dry with a mild spiciness that beckons another can. Fire up your turntable and audition Iron Swan yourself.
- Unicorn Farm : Unicorn Farm is our newest IPA! We managed to find some Nelson Sauvin hops from New Zealand, the unicorn of all hops, and used a whole bunch in this beer. Fruity with white wine characteristics, Unicorn Farm is packed with a fabulous aroma, low bitterness and is delicate on the palate.
- McHugh's Oatmeal Stout : When Tamara McHugh married Plan B partner Mark Gillis, she took his last name on one condition - if ever a brewery was opened, a beer would proudly carry the McHugh name. The doors opened and as promised, McHugh's Oatmeal Stout, in all her smooth, full bodied glory was released. Using generous amounts of chocolate malt and rolled oats, this creamy stout is mildly sweet with complex chocolate and caramel flavours.
- Passionfruit And Mosaic Berliner Weisse : Berliner Weisse with passionfruit, dry hopped with Mosaic
- 077-19148 - Citra : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-19148 is the dubviant tuned up with a third Citra exclusive dry hop inspired by the places that get it in Philadelphia. Citra's fraternalisms to 0'Dub's mix of dank resins and tropical fruit aromas big-ups notes from the gooseberry, passion fruit, lime family. Drink 077-19148 when in city, brother.
- Hail Santa : This oatmeal stout is brewed with peppermint and aged on cocoa nibs and oak spirals. It is nearly black in color with a prominent peppermint aroma and flavor. Hints of dark chocolate and vanilla are present as the beer warms slightly.
- Lotsa' Problems IIPA : IIPA was crafted with a blend of 7 American hops including Michigan Barvo's, Centennial's and Cascade's and a perfect balance of malty goodness, This hop goddess gets a front cabin seat on a all-expense paid dry hopped rocket ship to the moon the whole time dropping mad hop bombs on Yummytown (it's hoppy). Aromas of apricot and citrus fruits accompany a potent, dank, earthy nose and body of this baller Double IPA.
- Catherine's Passion : Catherine II, the 18th century Empress of Russia, is said to have been the inspiration behind the creation of the Imperial Russian Stout, an intensely flavored, robust, dark ale with a noticeable alcohol presence. Legend has it that Catherine also had a voracious sexual appetite; she was known to have many lovers, but the story about the stallion was probably a myth.
- Salute Your Schwartz : Dark German-style lager with biscuit malt notes and a hint of caramel & chocolate. Light in body and easy drinking - don't let the color fool you.
- Unwerthy Original : A dark cream ale infused with 50 lbs of toasted coconut and 10 lbs of cocoa.
- R&D Gotlandic : Traditional brew of the Vikings! Gotlands Bryggeri AB Brewmaster Joakim Eneqvist and Daniel Carey brewed with foraged juniper and Scandinavian barley. This is a hearty, spicy, smoky, dark brew.
- O.P.P. : Bright and aromatic with fresh pineapple puree, O.P.P. (Other People’s Pineapple) is not your average fruited pale. Enhanced by Simcoe and Cascade hops, this pale ale delivers up bodacious tropical flavors. It even has the power to magically transport you to your own imaginary paradise. 
- Common Table Beer : A table porter, brewed with dark english malts to create a flavorful beer reminiscent of dark stone fruit and coffee but not overpower the palette with body and bitterness.
- Aboriginale : "The first original big beer brewed at Block 15, Aboriginale has quickly become a house favorite. Brewed with an artistic blend of seven malts and three hops. Deep chestnut in color with an interesting complex malt body. A dry hop dose of Fuggles provides a fresh earthy nose. 50 IBU's, 7.1% alc/vol"
- Piraat Triple Hop Dry Hopped Ale : Piraat triple hop is a balanced, complex brew with defined hop character. Brouwerij Van Steenberge uses the famous Piraat ale as the base providing the brew with a full-bodied fruity flavor from the malt blended with dry characteristics derived from the high levels of alcohol. Then, four different hops are added into the brew three times during the brewing process (hence triple hop).
- Big Five-OH : A Belgian style Saison-Farmhouse Ale. A refreshing, medium to strong fruity/spicy ale with a distinctive yellow-orange color, highly carbonated, well hopped with a dry finish. Brewed with Belgian malt and a special Belgian yeast strain that gives it it’s distinct aroma and flavor.
- Dim Wit : Dark wit with huckleberry.
- Even More Jesus : A few times in the history of craft beer it has happened that a highly praised beer rises beyond mortal stardom into the higher godly league. Usually the recipe to make such heavenly drops is thick fudge-like body, pitch black color, amazingly overwhelming aromas of chocolate, coffee, dark fruits and muscovado sugar, obviously only made in limited amounts and most crucial of all -- it must taste rare!
- Tango : Tango is a big, bold, Belgian-style dark ale brewed with 1,200 pounds of cherries!
- Who Needs Galaxy : This Double IPA is brewed with Azacca, Mosaic, and Citra hops; throwing out absurd amounts of tropical fruit flavors. Mango, grapefruit, and pineapple are most prominent. 
- Pallbearer : Pallbearer is a new, very special imperial stout. We specifically designed Pallbearer to be the thickest, richest, most complex imperial stout we could possibly create. We used the most malt we’ve ever brewed with for one beer, with the most complex blend of speciality/dark malts, and threw every trick in the book at it to produce the most viscous wort possible. We also designed this beer to spend an extended period of time in Kentucky Bourbon barrels. Pallbearer ended up spending 15 months in barrels. Clocking in at 13.5%, Pallbearer is packed with notes of brownie batter, Hershey Syrup, mocha latte, low proof bourbon, black strap molasses, brown sugar cubes, and maple candies.
- American IPA : An Anglo-style beer of amber hue, featuring the distinctive fruity, resinous aroma typical of the North-American hops varieties used during the various boiling stages as well as in dry-hopping. Its strong bitter flavor, balanced by a slightly malted body, doesn’t betray its crisp, fresh taste to the palate.
- Nigel's DreamCrusher : Sixpoint's Art Department went wild with this one. The grain bill features four different barley malts as well as oats, wheat, black and wild rice, and even some Greek orzo. They added whole leaf hops at every stage of the boil, Warrior and Cascade dry-hopped it, and ended up with a strong 8.2% brew with layer upon layer of complexity and 88 IBUs. You couldn't dream up a crazier concoction.
- Tango : Golden yellow with a light touch of copper in appearance this IPA exhibits flavors of citrus with a dash of pine and aromas that boast soft tropical notes of mango, lemon balm, passion fruit and guava.
- Stratofortress : Belgian Strong Dark Ale aged on rum soaked cedar chips.
- Azacca Single Hop IPA : This single-hop series uses the same traditional IPA malt base for each edition, with the only change from batch to batch being the type of hops that are used. This non-complex malt base allows for the varying hop profiles to be showcased in each release.
- Andrew Gose Grapefruity : Our German Gose fermented over fresh grapefruits.
- Area 151 : Area 151 (named for our location on Highway 151), is a rotating Belgian Style Ale fermented with fruit. This beer rotates between three fruits, each one imparting its own flavor to the same base style beer. We filter 151 prior to packaging to add a crispness and to help bring the fruit forward. Here at Wild Wolf, we think BEER first, fruit second.
- Transition State Kölsch : Kölsch is a good beer for mass produced lager drinkers to have when making the switch to craft beer. Thus, you provide the activation energy and let this Kölsch be your transition state as you change from beer drinker to a craft beer drinker. Or maybe you already love craft beer and just want something lighter. This Kölsch is a delicate, light golden beer that has a slight fruity aroma and flavor. We use a traditional ale yeast and ferment at a relatively low temperature for an ale yeast so we can keep the fruity ester production at just the right level. The noble hop aroma, flavor, and bitterness are almost completely absent, just as it should be. This is an excellent beer to enjoy anytime you want something light but don’t want to compromise and drink mass produced lagers.
- Pazuzu's Pedals : Celebrate the earthly delights of bitter chocolate, coffee and dark fruit in this homage to that wacky Babylonian demon’s love affair with the bicycle.
- Indie Ale / Nickel Brook Weakday Warrior : Dry and bitter with subtle notes of tropical and citrus fruits that were added to compliment the hops.
- Newburgh Banish The Dark : An Imperial Collaboration with Whole Foods Market... Winter is a time for darkness, when sunlight is scarce and nights are long. Beat back the shortening of the light with 'Banish the Dark', our Russian Imperial Stout brewed with Pomegranate Juice and Cinnamon. Heavy in body, dark in color, and rich in flavor Banish the Dark begs to be shared with friends on a cold night besides a fireplace. This winter, do your part and help to Banish the Dark...
- St. James Pale Ale : Like the Kölsch beer that makes Cologne famous, our St. James Pale Ale is a medium bodied blonde brew that’s soft on the palette with a malty finish. Restraint is shown by our hop loving brewers as they add four additions to achieve low bitterness and a floral finish. Slow fermentation gives this beer its smooth fruity flavour that makes us say “yes, we’d gladly have another!”
- The Walking Red : The Walking Red is a deep red English Ale brewed with vanilla. Soft fruity yeast esters blend with toffee, malt aromas to create a wonderful fragrance. Vanilla, caramel malt, and toasted grain fuse together for a flavor reminiscent of cream soda. The finish is relatively clean and dry with little lingering sweetness.
- Venusian Pale Ale : Brewed with Lemon grass, kaffir lime leaf, coriander, and grapefruit peel.
- Golden Era Old Fashioned (Rye Whiskey Barrel Aged) : We make this very special beer by starting with an extremely potent (10% ABV) version of our “Rye Old Fashioned” beer and then age it in freshly emptied rye whiskey barrels for 6 months. We then hand-bottle and condition the beer with fresh yeast a second time round. We let the complex rye, oak and malt flavors marry over time and gain complexity. This is a labor, time and ingredient-intensive process, which means we can only make this special beer once in a while, when all the stars align. Individually numbered bottles will be available on a limited edition basis. Store this in your cellar and enjoy on a special occasion. Check back regularly or contact us for additional details and dates of release.
- Tastes Like Celebration : Brewed with 100% New York State grown malt and hops grown by our friends at Indian Ladder Farms. This is an homage to the winter warming IPA that our the folks in Chico, CA release every year. Pours amber orange in color, with thin white head. Aromas of pine and fruit, with classic hoppy bitterness and dank fruity flavors.
- All Fluff IPA : This Northwest take on a New England style IPA is easy drinking and fluffy just as the name suggest. It starts with a big orange juice and apricot character on the nose following through on the palate with notes of mango and pineapple. This lends perfectly to the smoothie-like mouth feel and body. Though full of fruit character it finishes with enough of a bite to remind you that it’s a beer from the west coast. Even with this style seeming to be all the rage right now, we think its all fluff.
- Whīt Sour Ale : This sour ale was aged in oak barrels for 1 year with red and white cranberries, giving it a subtle, yet complex fruitiness and a dry, tart finish.
- Cauldron : One part Flanders-style red ale and one part dark wild ale blended and then aged in oak barrels on Michigan Montmorency cherries.
- L'Hiver Melange No. 1 : A dark/brown wild ale aged in Van Winkle bourbon barrels.
- Amber Ale - German Style Altbier : Altbier, literally translated as “Old Style” beer, is a classic German ale. BBC Altbier is brewed with additions of Munich, wheat, caramel, and chocolate malts creating a delicate, but flavorful malt profile. This delicious amber colored session beer is balanced with additions of tradtional spicy German hops creating a light and floral bouquet to compliment its complex malt profile.
- Farmer's Wild Daughter : The Farmer’s Wild Daughter, starts as a traditional style Märzen or Oktoberfest lager. Then it’s barrel aged 14 months with wild Brettanomyces yeast and the end result is a soft malt palate with a noticeable sour finish. Hints of caramel notes and light fruity esters will bring out your inner beer geek to enjoy the sharp complex sour finish. This wild sibling of our well behaved Farmer’s Daughter is sure to raise some eyebrows in the family.
- Fistful of Peel : True to its name, Ellicottville Brewing Co.’s Fistful of Peel Citrus IPA is brewed with fistfuls of zesty orange, tart grapefruit and lively lime peel. Loads of Centennial & Citra hops and the finest Canadian barley deliver tangy, sharp hop flavor which compliment the bright citrus rind notes. Fistful of Peel is an amazingly light-bodied- but high-gravity - flavor crusher.
- Trop Hop Wheat : A delicious combination of bright, light, summer time American Wheat Beer with the tropical lusciousness of American hop varieties, Amarillo and Mosiac. It explodes with the fruity, floral aromas of grapefruit, orange, lemon, tangerine and papaya and finishes slightly sweet and smooth without the lingering bitterness one might expect.
- Geary's Cooledge Oatmeal Stout : This oatmeal stout includes oatmeal in the grist, resulting in a pleasant, full flavor and a smooth profile that is rich without being grainy. The color is dark brown and the roasted malt character is caramel and chocolate-like — smooth and not bitter. Coffee, chocolate and nut aromas are prominent.
- Reclamation Vanilla Porter : A complex layered English porter with notes of both milk and dark chocolate from the use of multiple roasted malts. Finished with double folded pure Madagascar Bourbon Vanilla.
- The Ardennes BPA : Our BPA fermented with Belgian Ardennes yeast. This treat has subdued fruit character, enhanced spice, bitterness and minerality.
- Odd Notion - English Dark Mild (Summer 2008) : A dark English Mild brewed with Belgian Candi sugar.
- Pullman Nut Brown : A traditional english brown ale, very nutty aroma towards hazel and Brazil nuts, deep brown in color and very well rounded body
- Watermelon Wit III: The Returns Of Watermelon Wit : Amaranth color, bright watermelon aroma, fruity coriander flavor, light body.
- Scratch Beer 80 - 2012 (Belgian Brown Ale) : For this latest Scratch Beer offering, we’re revisiting one of Chris Trogner’s favorite beer styles. We originally brewed this Belgian Brown Ale last year as Chris’ wedding beer. Well, we’re pleased to announce that the honeymoon isn’t over and the beer has returned to commemorate his first wedding anniversary. Rich and malty with a decadent chocolate note and tangy dried fruit characteristics, Scratch #80 pays homage to the Abbey-style Ales brewed by monastic monks in Belgium. The addition of Westmalle yeast (a Trappist yeast strain) enhances the flavor and texture of the ale, giving it an authentic Belgian flair. Dark Belgian Candi Sugar helps to maintain the high alcohol content attributed to many Belgian-style ales. It’s sweet, colorful and not bitter at all… just how all marriages should be!
- Astarte : In documented mythology the creation of strawberries is attributed to the ancient Goddess Astarte, more commonly known by her Greek name Aphrodite. Legend says that upon the death of the mortal Adonis that the Goddess wept with such passion that her tears fell to the ground as small red hearts. We started with a traditional Cream Ale, light and crisp with a great mouthfeel...Then we added fresh strawberries to give it an incredible nose, and slight tart finish. With just the right amount of fruit to make it noticeable but not overpowering, this spring/summer seasonal is a perfect offering to the celestial mother of love.
- We’re Done With Monkish : This past November, Henry and I got together for a serious marathon of brewing. We produced beer at all of our locations, and this zippy, soft and citric number came out of our #BrewCafe. Constructed with a pillowy base of malted wheat, raw wheat, and German Pilsner malt. Lightly hopped in the kettle. Fermented in a dish bottom stainless steel fermenter with a blend of our house cultures for two months. We weren’t sure what direction to take this beer because it was just so damned nice and simple, so we decided to not do anything extra! After a two month bottle conditioning process some really pretty lemon meringue and black pepper complexity began to emerge which beautifully complimented the kinda crackery/passionfruity base beer.
- Schlafly Belgian Golden Ale : Our Belgian-Style Golden Ale opens with a fruity nose and rounded sweetness that compose a pale and balanced beer. Hallertau hops lend a hint of spice that balances the aroma and flavor of orchard fruit. Similar to our Belgian Tripel, but with a lighter body and a crisper finish, it is the perfect introduction to the family of Belgian beers renowned for their complexity and delicacy.
- Settle Down : Our country wit. Brewed with lemon verbena from Sparrowbush Farm, coriander seed from Ironwood Farm, and wheat malted by Hudson Valley Malt. Balanced acidity, with notes of cactus fruit, star fruit, dragon fruit, Asian pear, flint. Beautiful lush texture....we hope you will be pleased. Another great label from Natalie Rengan depicting Mine and Tay's abode behind the brewery before we refurbished our building.
- The Tortoise And The Birds : Double IPA Saison. We brewed this beer with the good people from Hidden River Brewing. Hopped heavily, like a double IPA, with Cashmere, Vic Secret, Nelson Sauvin, Mosaic, and Simcoe ; but fermented with our foraged yeast. Oh, and a lot of local honey as well. Big fruit aromas of berries and peaches that sat on a counter a day too long, white peppery alcohol, marihuana azalea bushes, and roses. 
- Glow Up - Morello Cherries : Berliner-Weisse-style sour wheat beer with NY state Morello dark tart cherries.
- Triton Barley Wine : Our English-American hybrid barley wine has a dark amber color, full body, high residual malty sweetness and caramel/toffee aroma and flavor. The complexity of alcohols and fruity-ester characters are counterbalanced by assertive American citrus hop bitterness and extraordinary alcohol content. English varietal hop aroma and flavor are at high levels.
- Albricot : Our interpretation of a 4.9% abv pLambic aged on a heaping helping of apricots. This is a double fruit fruited and unblended.
- Norweald Stout : Malty American Stout. Norweald covers the spread of dark malt flavors perfectly. Dark chocolate, charcoal, smoke, burnt toffee, cream, and caramel. Intense maltiness is balanced by roasted malts and just enough hops to taste.
- Bridges Blend Coffee Stout : Awaken your senses with this rich dark roasted coffee stout brewed with Crystal Coast Coffee Roaster's very own Bridges Blend.
- Redheaded Bluebelly : A blend of Ladyface's Blue-Belly Barleywine and Caffe Luxxe's Testa Rossa espresso marry perfectly to create a well balanced brew, allowing the toffee malt character of the beer and the woody, dark chocolate characteristics of the coffee to sing out. Used a cold-brewing process to extract the flavor of the coffee before blending.
- The Planet Of Doom : Dark Belgian Abbey Ale brewed with caramelized dates, local ancho chiles, local cocoa nibs, vanilla bean, nutmeg, and Counter Culture Coffee.
- Bourbon Barrel Aged Thor's Hammer Barley Wine : This award-winning, bourbon-barrel aged barley wine is mahogany in colour and crafted from fine barley malt exuding deep, rich notes of dried fruit, plum and candy with a walnut ester.
- Ghost Notes : Ghost Notes is a 7% IPA we brewed with Paul and Al of Cloudwater Brew Co from Manchester, UK. Hopped in the New English way with tons of Grüngeist, Equinox, and Mandarina Bavaria. Notes of fresh orange juice, ripe stone fruit, vanilla, lime, and your favorite grass.
- Foolery : Hardywood Foolery is a huge Imperial Stout aged for eight months in bourbon barrels. Massive chocolate, vanilla, and caramel flavors are preceded by aromatic hints of dark cherry, tobacco, leather and oak. Thick and rich, Foolery brings rounded bourbon character contributions from the barrels and a nice warming finish.
- Suffering Soul : Golden mixed culture with ginger, grapefruit, lime, and black pepper
- The Juice : This Double India Pale Ale, or IPA, is extremely hopped American-style Ale that gets its hop bitterness and character from Amarillo and Simcoe hops. A generous amount of hops and malt, 3.5 lbs per barrel and 2800 lbs of malt, were used to give this beer a rich malt character with a distinctive hop flavor and aroma. This unfiltered beer is amber colored, thick bodied, highly bitter, and finishes off with a sweet grapefruit after taste.
- Blood Orange Neon Gypsy (Blood Orange IPA) : This clean, clear golden IPA is medium-bodied with a thin white head, crisp mouthfeel, and moderately strong 6.5% ABV. Blood Orange Neon Gypsy blends the grapefruit, citrus, & pine notes of 7 hops with the tart sweetness of blood orange juice for a flavor profile that roams your palate long after the beer’s bittersweet finish. Now pop the top, 'cause ... it's bloody refreshing!
- Curiosity Fifteen : Our burst of Curiosity is showing no signs of slowing down..! Primarily featuring a massive dose of Columbus hops, with complimentary additions of Amarillo and Mosaic, Fifteen pours a brilliant hazy orange in the glass with a dense, creamy, and aromatic head. We experience flavors and aromas of intense red grapefruit, pungent tropical fruit, and dank herbs. The finish is dry yet soft, encouraging your palate to want more. A bit of a trouble maker, this one. . . !
- Single Shot - Brazil Cerrado : Single Shot is a decadent yet balanced milk stout that we use as a base to impart bold and varied coffee flavors from hand selected beans on a varying basis. This particular batch was brewed with coffee beans from Brazil. It exhibits notes of dark chocolate, dark fruit, and toasted marshmallows - a unique and intriguing showcase of beans, for sure. Single Shot is exceptionally creamy on the palate while maintaining a lightness that leaves you wanting more… a true treat in the can paired with the embrace of a summer campfire. When kept cold at all times in the can it should be great until Autumn.
- My First Crush : A classic American Pale Ale hopped with Amarillo, Simcoe and Citra. A mild and slightly sweet malt backbone supports a clean bitterness with floral, citrus, pine and a touch of tropical fruit.
- Balete Pale Ale : Many stories that involve balete trees believe that these trees are dwellings of elemental beings like the dwendes, the kapres and the diwatas. However, there are elders who believe that these huge trees made of structured mazes of intertwined roots and vines are portals to the world of myths. Balete Pale Ale is a brew by ALAMAT Craft that functions like the mythical tree itself - a portal to the world of craft beers. It’s brewed not to be too strong to scare new beer drinkers away. Rather, it has an inviting, smooth, and refreshing taste with a fruity flavor that is pleasant to the unfamiliar palate. At the end of every bottle is a delightful buzz that will make new craft beer drinkers curious about this newly discovered world of originally and naturally flavored beers.
- Careful With That Guava, Eugene : 'Careful With That Guava, Eugene' is a unique collaboration we did with our friend and computer guru, David Kasprzyk. He and his wife Katie have a humongous guava tree in their backyard, and each year can barely keep up with how much fruit it produces. This year we decided to partner up and put those guavas to good use in a lambic-inspired ale. Big tropical fruit in the aroma with that unmistakable guava character. Fruit dominates the beer with hints of house funk and acidity shining through.
- Iconoclast : An American IPA made with our old friend Brett(anomyces). Hoppy, fruity, bitter and a funk that can only be brought on by a wild yeast.
- Mata Feijoa : Mata Feijoa is a palate cleansing, zesty fruit beer that bursts with the unique and distinctive taste and aromas of fresh NZ grown Feijoas. Relax and quench your thirst with this very refreshing champagne of beers. Feijoa’s are an abundant & popular fruit in NZ, often described as being a little like a guava or passion fruit in flavour.
- I See The Vision - Pink Guava : I See the Vision is our Fruit IPA Series with rotating fruits. This variant is brewed with Pink Guava. Tropical flavors and aromas abound. Citra and Mosaic hops.
- Murray's Anniversary Ale 6 (2011) : Our 6th Anniversary Ale is our biggest, most complex beer yet. Like previous year’s Anniversary Ales it has been treated to extensive oak barrel aging, and is packaged under cork in 750ml Sparkling bottles. The similarities stop there though... This year we are releasing a Belgian inspired Barleywine. At 15% abv it is by far our ’biggest’ beer ever and it is designed for extended cellaring. The blend of 5 different Belgian yeast strains makes for an incredibly complex ester profile. The high abv makes it’s presence felt with warmth right across the palate, but even at this early stage of the beer’s life is not ’hot’ or spirit like. The French and American oak barrels contribute further complex layers of flavour and aroma to the beer. Initially full and rich on the palate, AA6 finishes remarkably dry for a beer of this size.
- Sticker Fight : An occasionally released Double IPA, Sticker Fight is the big tropical fruity, juicy fruit, mango laden friend, you’ve always desired. The body is crisp, with just enough sweetness to counter the onslaught of aromatic and flavorful hops. Supremely satisfying, utterly demanded by fans.
- Månens Pale Ale : Created and brewed exclusively for the Stockholm restaurant Man in the Moon. The recipe includes a small amount of grapefruit peels.
- Smoke Jumper : A malty smooth full bodied ale. Deep mahogany in color, with notes of dark fruit and molasses, this Scotch Ale will warm your palate! Brewed with 2 row, crystal, aromatic, and roasted malts.
- Mathias Jr. : The son of Mathias, our signature Imperial I.P.A., this double I.P.A. Packs the same hoppy punch at only Citra hops can bring. Huge aromas of mango and tropical fruit but less booze and malt than daddy.
- Flora - Cherry : Flora is the wine barrel aged version of Florence (1915-1967), our grandfather's sister as well as the name of our wheat farmhouse ale. Only a few barrels were selected and then further aged on a blend of fresh, hand picked Montmorency cherries. The result is a complex, elegant expression of the annual harvest.
- Melon Session : This "so ripe" pale has no honeydew or cantaloupe, no tropical fruit or pine resign added. Just Huell Melon, Topaz and Waimea hops with a soft bready malt background and, for a change, no Juice yeast but a blend of old time Whitbred ale Sac.
- PSA* *Proper Session Ale : PSA was designed to be just that, a Public Service Announcement that craft beer can be both thoughtful and approachable. You may choose to dissect the variety of citrus, dank, and tropical fruit hop flavors or to simply enjoy the proper balance between malt sweetness and body that PSA delivers. Either way, you bring the friends. We’ll bring the beer. Spread the word.
- Hibiscus Grapefruit Radler : Sweet and slightly tart grapefruit throughout with subtle floral complexity added from the hibiscus. This radler is highly carbonated, crisp, clean and very easy to drink.
- Pecan Nut Brown Ale : A stunningly smooth, nutty ale with a hint of caramel, orange, and floral aromas.
- The Great Return With Pineapple : Brewed as a tribute to the decades of hard work by conservationists to restore the health of the James River, The Great Return features an assertive blend of west coast hops that display a complex bouquet of grapefruit, orange, melon, passion fruit and a delicate herbal spice. In pondering how to provide even more tropical fruit depth to this beer, brewer Nick Walthall identified the perfect ingredient: fresh pineapple. Incomparably bright, this blend of citrusy Great Return and tropical pineapple melds together in brilliant harmony.
- Ridin' The Wake : Passionfruit Dragonfruit Berliner
- Curiosity Twenty One : The Curiosity series has reached adulthood with a classic American IPA! Curiosity Twenty One pours a beautiful golden yellow in the glass with a bright white head, emitting a yin and yang of dankness and fruitiness. We get a heavy dose of papaya and tangerine balanced by a grapefruit peel finish. A delicate and refreshing beer, indeed.
- Shrieking Violet : This NW-style sour ale is no wallflower. It started as a strong spiced quad that was barrel aged for 21 months, then aged for another 6 months on blueberries. Huge herbal notes of dense blueberries in the nose give way to hints of oak and leather. Rich, earthy notes of dark fruit on the palate yield to a rich, velvety finish that dries out to a base note of blueberry skins. This is a single barrel project.
- SARA Loves Brett #5 : Blend of barrel aged dark farmhouse ale and Porter with cherries.
- Blueberry Lager : uicy, crisp, clean and invigorating, this American Fruit Beer pours a brilliant golden hue as bright as the summer sun. With a sweet, malt-tinged, fruity aroma, our Blueberry Lager strikes a refreshing balance between its American 2 Row malt base and vivid Blueberry flavor resulting in a beer that is the perfect pour for the long, lazy, hazy days of Summer.
- Double Dry Hopped Fort Point Pale Ale : This double dry hopped pale ale contains the same base ingredients, for both malt and hops, as Fort Point Pale Ale, but with an additional dry hop of Citra. The added hops richly enhance the juicy tropical fruit flavors of pineapple/mango, create elevated green, herbaceous aromatics, and increase body.
- Boss Flamingo Bronze Ale : Boss Flamingo Bronze Ale is one of the rarest beers in the world. Its harmonic blend of hops, malt, and spicy yeast flavors create a surprisingly unique blend of fruity aromas and hop-bitterness. It’s an Americanized, “imperialized” interpretation of the Bavarian Forest Dampfbier. It has never been made before. 
- Ole Gus : Full-bodied with robust caramel malt notes, this ale features a slight crispness married to subtle fruity esters from Edinburgh ale yeast. It displays a dark ruby color harboring a smooth finish with a touch of warmth.
- Beaujolais Avec Brett: Strong Wild Ale With Gamay Grapes : A strong sour ale fermented with wild yeast and bacteria that pours a beautiful violet color. The Oregon-grown Gamay grapes used in this beer come to us courtesy of Tom and Kate Monroe of the SE Wine Collective. Bottle conditioned with Brettanomyces for added complexity and cellarability. Wine and beer together forever!
- Royal Jelly : Our Strong Farmhouse with lotsa local honey aged in Hillrock Estate Distillery Bourbon Barrels. Very rich & complex w/ tart pineapple & bourbon notes combine in an orange/vanilla flavor with a boozy accent.
- Jack Rabbit Rye PA : This American style Rye Pale Ale is made with 20% rye malt and lots of American hops, mostly Columbus and Cascade. The rye lends a spicy character to the grapefruit bitterness supplied by the hops.
- Wolcott Old Ale : Let’s go back in time and have a classic!! This ale is rich and malty with a nice hop presence. Brewed with dark crystal malts and East Kent Golding hops. Served on cask as Wolcott would want it.
- Pocket Full Of Innocence : The English Brown Ale gets a fistful of ‘Murica. We’ve spun the classic style on its head. Chocolate notes give way to intense grapefruit and pine. God Save The Queen.
- Punkless Dunkel : You may know this beer by it’s previous name, Punkel Dunkel Pumpkin Wheat Ale. It’s also been called a lot of other names as well: Pumpkin Dunkel, Pumpkinweizen, etc. Whatever you’ve called it in the past, we know that regardless of what it’s called, this is one of the most popular, if not the most popular seasonal beer we make. When we set out to create what we hoped was a unique pumpkin beer we decided to brew an imperial version of our Dunks Ferry Dunkelweizen, but in an unabashedly American way by adding pumpkin to the mash and your favorite pumpkin pie spices to the kettle. We add dark brown sugar, cinnamon, nutmeg, and allspice to the boil as well to pair with the banana esters and spicy clove imparted by the yeast during fermentation. At 8.8% ABV it’s no slouch either. Always released after Labor Day, Punkless Dunkel doesn’t last long as the crisp Autumn nights make way to Winter just around the corner. Do the seasons even change in Texas.
- Bald Mountain Bock : "This "Traditional German-Style Bock'' is a lager brewed with all German malts which includes generous amounts of German "Carafa" specialty malt; this malt gives the beer a pronounced chocolate-like flavor and creates a dark brown beer. This brew has a slight warming feeling from the 7% alcohol it contains. To style this is a medium-bodied beer with a mild hop bitterness aroma."
- New Year Old Ale : New Year Old Ale has been aged in Bourbon Barrels for 12 months. This is a luscious, malty, ale with dark dried fruit notes.
- Yes No Maybe : Milk stout brewed with cherries and cocoa nibs from Fine & Raw. Flaked oats and milk sugar keep it silky smooth with kisses of espresso, luscious layers of chocolate, and bursting with dark fruit.
- Sublime Stout : Sublime Stout is generously hopped at four points of the brewing process, including a dry hopping in the conditioning vessel, to help build flavour and aroma in the brew. The complex grist is used to build body, colour and flavour within the beer. Each batch is matured for a minimum of four weeks and is krausened for a champagne mouth feel. Sublime Stout is krausened with Vital Spark, this is done reintroduce fresh yeast to the brew to help with second fermenting in the cask and bottle. When kept in bottle Sublime Stout is designed to mature for a long time and will age to create deeper well rounded flavours.
- Arbre Medium Toast : This variation of Arbre spent time resting in medium toasted barrels and reveals more oak-forward notes in addition to coconut, roasted vanilla beans, bakers chocolate and black cherries. A remarkable beer on its own, but even more exciting when tasted side-by-side with its light toast and dark char counterparts for a truly educational experience.
- Pilsner Style Beer : Inside each Churchkey can, craft beer lovers will find a delicious Pacific Northwest-brewed Pilsner-style craft beer. The recipe for which was originated by Portland-based home brewers Lucas Jones and Sean Burke – who have been crafting home brewed beer in their garages for many years, and are passionate about their beer and the community they cultivate with it – the Churchkey Pilsner is made using only the highest quality ingredients. The body of the beer comes from the light, grainy pilsner malt taste, accented by a smooth clean bitterness. The Saaz hop taste and aroma featured in the Churchkey Pilsner make for a uniquely complex, yet sessionable beer at 4.9 percent ABV and a 29 IBU.
- Man Overboard Series - Session IPA : Man Overboard Session IPA is a 4.7% alc./vol. hazy tropical blonde ale with a nice white head. It has a strong tropical pineapple, mango, and citrus fruit aroma. Full bodied and juicy, it has mild bitterness and a sweetish finish. It is dry hopped with Citra, El Dorado, and Mosaic hops.
- Picture In Reverse - Bourbon Barrel-Aged : Picture In Reverse is our 13.2% bourbon barrel aged Old Ale. We brewed this beer with a simple malt bill of almost entirely British Golden Promise then boiled it down for three hours to reduce and concentrate the wort. After fermentation with our house ale yeast we aged this beer for over a year in bourbon barrels to develop its dark color and maltiness with notes of caramel, vanilla and dark fruit.
- Carobock : We were inspired to creat our own iteration of a Bavarian-style Weizenbock, a style known for being rich & malty with notes of chocolate, bananas & toasted malt. Ours was styled to be a play on a 'chocolate covered banana', so we selected toasted carob pods to provide intense, earthy chocoalte flavors & rounded out by aging on Madagascar vanilla beans. Brewd with malted wheat, dark Munich malt & chocolate wheat & fermented with a traditional weizen yeast to boost teh banana & spice notes that typify the style.
- Battlefield Bock : From the brewery: Battlefield Bock is a smooth and creamy Bavarian Style Bock Lager. It is brewed with our proprietary blend of Bavarian Dark Roasted Malts giving it a distinct taste with hints of coffee and chocolate. We add Noble Czech Saaz Hops to balance the flavor of this rich full bodied lager. Battlefield Bock is slow cold aged for a minimum of 8 weeks.
- Pale Ale : Deep colour with floral aromas that are quite pronounced. These become toffee-like as the ale develops in the glass. In the mouth the hoppy notes are quite sweet and carries a decent mineral backbone. The grapefruit bitter notes come through after the mid palate and the finish is bone-dry.
- Kristalweizen : Kristalweizen is a clear, yeast free version of the Hefeweizen style, and is a great summer beer with its refreshing and crisp taste. Our brew is 50% wheat and 50% malted barley, along with the addition of Czech Styrian Golding hops that add a light flowery note. A classic German Weizen yeast imparts a tart crispness, and subtle fruity weizen character.
- Ed's I.P.A. : This true English I.P.A. is made with premium malt, three English hop varieties, and a special British yeast culture. Fruity aromas mix with the floral hops to greet your nose as you raise a pint of this brew. The bitterness is huge, yet it is crisp, dry, and clean. This beer is named for our long time patron, Ed Richardson. This beer was his favorite.
- Obatar Ordinary BItter : This English-style 'Ordinary Bitter' has a gold-copper color with medium bitterness, light body and low residual malt sweetness. English hop flavor and aroma character is evident with traditionally mild carbonation. Fruity-esters and very low diacetyl (butterscotch) characters are acceptable in aroma and flavor, but are minimized in this form of bitter. Maybe someday we'll tell you where the name came from.
- Bubbles Rosé Ale : A Rosé Ale made with apple, peach and cranberry, for additional pink hue, tartness and juicy fruitiness.
- Heaven Hill Bourbon Barrel - Aged Phantasmagourdia : Amber farmhouse pumpkin ale aged in bourbon barrel. Subtle fruit and spice character with a touch of vanilla and whiskey.
- Rambling Raspberry : A hefty 80 pounds goes into this summertime favorite. A specialty beer, Rambling Raspberry provides a delicious tart flavor with a distinct fruit finish.
- Singel : Unfiltered, unpasteurized, and uninhibited, Hardywood Singel is a feat in balance. Sunshine golden with a fluffy head and a veil of Belgian ale yeast, Singel’s tropical fruit esters complement its spicy hop aromatics. Delicate in body, Singel’s mellow, dry finish culminates a truly ethereal experience.
- Tiberian Inquisitor : Want to have your most hidden secrets torn from the dark recesses of your soul? Tiberian Inquisitor will do just that. This Belgian-style ale aged for one year in French oak is a beer to be reckoned with.
- Kentucky Common : Kentucky Common is a modern interpretation of an ale style native to pre-prohibition Louisville. Historically the beer was dark in color, creamy, and tart as a result of the introduction of lactobacillus bacteria by sour mashing. Local Option Bierkwerker took up the task of brewing this once familiar style - electing to use specialty grains rather than a large percentage of corn - yielding an adventurous taste profile befitting both conventional and courageous palates.
- Trip In The Woods: Madeira Quad With Cherries : Ale brewed with cherries aged in Madeira barrels. This very limited beer is ablend of two vintages of our Ovila Quad--one straight Belgian-style and the other with tart cherries. Additional layers of complexity are achieved through aging in oak barrels used to mature Madeira, the fortified wine hailing from the Portuguese island of the same name. The barrel aging results in a decadent and flavorful blend of cocoa, fig, cherry, and raisin notes with hints of wood, caramel, and burnt sugar.
- Kinni Kölsch : Clean, crisp delicately balanced beer with low hop character and a very slight fruit character
- Wicked Juicy : Packed full of Citra, Simcoe and Galaxy hops, totally unfined/unfiltered, and fermented with a specially selected ale yeast, Wicked Juicy is dry, lightly bitter and lusciously fruity. 
- Timbo Pils : We took inspiration from both German Pilsners and West Coast IPAs for Timbo Pils. We used more German influenced hops in the kettle (Czech Saaz, Opal, and Saphir) which gives the beer a softer bitterness and a nice floral and earthy hop base. We then used Mosaic and Nelson for dry hopping to bring out the tropical west coast flavors of mango, riesling grapes, and passionfruit.
- Act Appalled : Act Appalled is a Lime & Coconut Black IPA brewed with a plethora of dark malts. Heavily hopped in the kettle with Melba along with heaps of goopy coconut oil and lime juice. Then aggressively dry hopped with Motueka and Zythos. Notes of chocolate covered spruce trees, coconut hard candies, key lime sorbet, and moonlit walks on the shore.
- Star Gazer : Galaxy and Vic Secret hops combine in Star Gazer, the latest in our Galaxy Series, to bring you this bold New England Double IPA. At 8.1% this brew is forward but smooth, showcasing the tropical characteristics of these two Australian hops. Opening with a deep citrus aroma before easing into notes of pineapple and passion fruit.
- Carpe Brewem Barrel Aged Baltic Porter : Our brewers nick-named this one “black silk jammies”. Aptly so, we matured this strong, rich porter in Cabernet wine barrels to enhance its sweet and smooth roast character while adding dry oak and dark fruit notes from the barrels. Rich and silky smooth with flavors of grape jelly and plum jam finishing with a hint of oak and red wine. Black silk jammy!
- Collective Project: Imperial IPA :  Fruity, bitter hops, berry, mango, peach; a wonderful interplay between the earthy bitterness, the nuanced fruity berry character, and the piney funky tropical depth. The resinous character of the hops shows through in a tongue-coating mouth feel. You’ll really feel saturated by all the hops. Delicious.
- Great Lakes Bourbon Barrel-Aged Imperial Solstice Stout : Brewed on the first day of spring. Put into barrels on the summer solstice. Bottled on the winter solstice…. Pours midnight black with a tight (and we mean tight) mocha tan head. Menacing indeed. Aromas of charcoal, vanilla, treacle, espresso and alcohol leap from the glass with each gentle swirl. The first drink offers a reminder of the girth of this beer, as notes of bourbon, chocolate, molasses and fig pack a wallop. Each subsequent sip leads to newfound discoveries of vanilla and coffee, wood and anise. Velvety smooth yet noticeable boozy, this full-bodied stout packs a delicate balance between sweetness, bitterness and barrel. Well rounded, complex and dangerous. Best enjoyed with friends and enemies alike.
- Scratch Beer 213 - 2015 (Cranberry Porter) : The cranberry is one of only three fruits that can trace its roots back to North American soil. Although its growing season begins in September, the cranberry is most associated with the winter season. Since this little red berry resonates with so many people during this time of year, we find it fitting to release this beer during the commencement of the holiday season. Typically, cranberries are viewed as too bitter and sour to eat raw. However, this magic ingredient lends a pleasant tart, fruity finish and complements the roasty character of this robust porter, providing Scratch #213 with its simple yet festive charm.
- Obey : Berliner Weisse Style Ale with Blood Oranges & Dark Cherries
- Ed Die : Brewed with Galaxy, Azacca hops and grapefruit.
- Saint Stephen : Saint Stephen is our take on the classic Belgian saison. Traditionally brewed in the winter months for drinking during the heat of the summer, these farmhouse ales feature a complex flavor profile. Spicy yeast aromas combine with the finest European malts and noble hops to produce a beer with uncommon depth of flavor.
- Iron Spike Blonde : Iron Spike Blonde introduces itself with an antique gold colour accentuated with generous white foam. On the nose are aromas of honey, spice, lemon zest and citric hops, some biscuit malt, and a nice peach/tropical fruit profile. On the palate, the beer enters with a hint of sweet fruit upfront (peach and pear mostly), followed by lemon, mild hops and sweet grains. It has a floral aftertaste, similar to that of rose petals. This medium body ale leaves plenty of pretty spider web lace behind from the head.
- McNellie's Pub Ale : Inspired by the house ales found in the pubs of Great Britain and Ireland, McNellie’s Pub Ale is a traditional ale brewed in the style of a Best Bitter. Various maltings of two-row barley are joined with American Glacier hops to give this beer its color, complexity, and a bit of a New World twist. The Old World character present in this ale is largely influenced by its yeast, which originates in the port city of Hull, East Yorkshire, England.
- Golden 8 : Golden 8 Symphony of delight, complex in design, powerful in presence. Brewed with Belgian candy sugar, Fuggle hops, the finest malted barley, and pure Trappist yeast. Aged for four months, this ale will cellar for up to three years and grow in perfection over time.
- Unite The Clans : Unite the Clans is a Scottish ale, with slightly roasty and malty flavors and aromas. The addition of cara-rye malt and Fuggles, a classic hop from the British isles, give this beer an underlying spiciness, toffee notes and a unique bready complexity. You'll want to don your tartan and head to the moors!
- Round The Clock : It’s never too early for a beer – that’s why we’ve brewed a breakfast stout. Oatmeal is an important part of a balanced breakfast, so we sourced some oats from the family – owned Irish company Flavahan’s. And since we just can’t live without coffee, we found a deep, dark delicious one and added it to our brew. The result is a black, intensely coffee flavored stout that is too good to limit to any one time of day-we’re drinking it ‘round the clock’ no matter which way the clock is going ‘round’.
- Ástríkur Nr.51 : Ástríkur is full of love, peaches, passion fruit, apricot, mango and grapes. A gay remembrance of time well spent. Proud sponsor of Reykjavík Pride.
- Can't Keep Up 27 : A blend of various fruited, spiced, and well hopped saisons.
- Hot Loins 2018 : Hot Loins in an Experimental Aphrodisiac Ale brewed with goji berries, honey, dark sweet cherries, and In the Mood Tea from Light of Day Organics. Deep pink in color, this romance inspiring beer carries aromas of cinnamon, berry, and roses. Medium-bodied, this beer leads with subtle flavors of spicy cinnamon before transforming into a blend of berries and herbal tea qualities. Hot Loins finishes dry with a lingering floral flavor.
- Episode VI : 2014 Super Nebula was matured in Heaven Hill distilleries bourbon barrels layering characters of dark oak, vanilla, bourbon and coconut. Fresh roasted organic cocoa nibs from Ecuador and Nicaragua were added during conditioning lending notes of toffee, hazelnut, and rich Dutch cocoa.
- Chocolate Cherry Stout : A dark Stout brewed with 22 pounds of chocolate and aged on Black Cherries, Cocao Nibs and Vanilla beans.
- Cafe Brillante : Teaming up with our friend Dan from Playhouse Coffee, our team sat down and did a proper coffee tasting to find the ultimate roast for a custom beer. Sampling and discussing different roasts and origins we finally settled on a single origin bean from Guatemala with our own blend of dark roasts. To properly accentuate the bold bitterness and dark chocolate flavors of this blend we catered the beer recipe to highlight and not overpower the dark richness of the coffee. Creating the beer with a lightly roasted barley, a toasty Munich malt, and rolled oats gave this ale a dry, toasted, malty complexity without the characteristic blackened notes of a stout. This left room in the flavor spectrum for the dark roast coffee to come through unimpeded. Using a cold extraction method with the beans, we were able to keep the smooth presence of coffee to infuse into our newest truly handcrafted ale; Cafe Brillante. The finished result tastes just like the name implies, sparkly coffee in beer form!
- Arbutus Pale Ale : A British style ale with a crafty west coast attitude, our pale ale is light in body with a subtle lingering hop character. Arbutus also has detectable notes of dry stone fruit and persistent toasted malt.
- Willis' HSNY Rye : A Sixpoint and Humane Society of New York collaboration that combines the spicy rye flavors and rounded mouthfeel of Righteous Ale with the citrus slash of the Bengali Tiger. This Rye-PA was fiercely dry-hopped and has nearly three times the hops normally used for these beers. Deliciously complex, bright, earthy and strong, this unleashed brew will have you howling. 6.6% ABV.
- Saranac Tramonay : Released on June 1, 2015. Combining the flavors of white wine grapes and Belgian yeast, TramoNaY is local NY. Brewed with locally sourced pale malts, hops and grapes, we ferment this beer with Belgian yeast for a wine-like fruitiness.
- Milkshark - Vanilla - Double Dry-Hopped : This variant of our on-going milkshake IPA series had the fruit addition left out in favour of a second massive dry-hop. As with the rest of the series, this IPA was brewed with lactose sugar and apple pectin, and conditioned on generous amounts of vanilla.
- Fool Me Once [Double Dry Hopped] : Fool Me Once is a hazy style pale ale focusing on big aromatics and mild bitterness. Expect notes of berry fruit, crisp bitterness, and a huge tropical hop nose.
- Curiosity Forty Six : The art and science of brewing continues to captivate us - every opportunity to experiment in search of how to improve our beer, and to further our understanding of what ultimately makes a beer enjoyable, enriches our spirit! Curiosity Forty Six is a blend of two beers, each utilizing a different fermentation profile. Both base beers are the same, and are kettle and dry hopped heavily with Citra & Mosaic hops. The result is a beer with layers of complexity that has intensely fruity characteristics that recall fruit stripe gum or the densely packed flavors of natural fruit strips. It’s heavy on tropical fruit, with flavors of mango and papaya, balanced by a zesty finish. It’s medium bodied, creamy, and refreshing - the perfect beer to accompany the rejuvenating and refreshing spirit of Spring.
- Bourbon-Barrel Old Confustible : A rich, amber, English-style beer with notable dark fruit/caramel/toffee character. An ale of deceptive strength, having mellowed considerably during an extended period of conditioning. Several months of aging in a Weller Antique bourbon barrel has added additional whiskey notes and has further accentuated the dark fruit character of the original beer.
- Annapolis Valley Ale : Our hoppy brew. AVA has an amber hue, a light fruity malt flavour and a floral nose. Those who like it love it!
- PM Dawn W/Barrington Costa Rica Coffee : In another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, we bring you a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Smoked Vanilla Porter : This robust porter features light additions of Cherrywood smoked malt, while a touch of vanilla balances the complex roast flavors provided by the chocolate and dark crystal malts.
- La Bonte Fig : "We've moved our La Bonte beers out of the Canvas Series and into regular rotation and with that, comes a new label and a new fruit. La Bonte is open fermented with our house Brettanomyces culture. This beer is then blended with a portion of Golden Sour and onto a half pound per gallon of whole figs. La Bonte is then aged in our Foeder until it reaches perfection."
- Hooked On Chinook : The disproportionate late addition hopping truly expresses the beauty and diversity of flavors that can be extracted from Chinook, one of our favorite hops. Grapefruit and pine are backed up with earthy, grassy notes and a very light malt sweetness. The aroma suggests IPA but the ABV and drinkability make this an all day San Diego beer.
- Marauder (Born From Wood Series) : Marauder is not your ordinary scotch style ale. Consisting of a larger than life grain bill and a long kettle caramelization process, this dark liquid is full of rich flavors of malted barley and caramel. If that wasn’t enough, this beer has been aged in oak bourbon barrels for 3 months to round out the complexity of this brew. At 10% alcohol, Marauder will leave you scavenging the island for this buried treasure!
- Central Square : A 100% Brettanomyces fermented peach Berliner. Tart, fruity, ultra refreshing. 
- Plan B : Sour Mash Belgian Dark Ale with Black Currants (Brewed in Collaboration with Half Acre).
- #39 Vic Secret Pale Ale : Citrus pith, fruity, spicy.
- Dark Ale : Smooth, decidedly drinkable and surprisingly light, triple award winning Malt Dark Ale is distinctively different. Deep, dark brown in colour, it’s a very mellow ale and is delightful with a cheese board. It also makes great Steak & Ale pies!
- Mosaicus : An IPA showcasing the berry, fruity, and floral aroma and flavors of Mosaic hops.
- Carrot Cake : Carrot Cake is an Experimental Strong American Brown Ale developed to taste like a traditional carrot cake. The malty rich base provides the “cakebatter” to support the ginger, allspice, cinnamon, maple syrup and carrot puree for additional depth, complexity and flavor. Simcoe hops and orange zest add a slight citrus element coupled with the vanilla and marshmallow fluff to deliver the cream cheese frosting component
- Overly Dedicated : Overly Dedicated is our dry-hopped mixed culture Saison aged in oak barrels. Brewed with Malted Red Wheat from Valley Malt (Hadley, MA) and Cascade hops from Four Star Farms (Northfield, MA). Featuring bright aromatics of tropical fruit, citrus peel, and spring flowers. Further complexity is developed through refermentation with Brettanomyces, Lactobacillus, and Pediococcus in French oak, prior to being dry-hopped with a blend of our favorite hops from the Southern Hemisphere.
- Zeos Pilsner : Full bodied, light flowery aroma with just a hint of fruit. Excellent palate – crisp with moderate amount of hops, light straw and earthy. Long duration aftertaste. Perfect with lamb and spicy Mediterranean foods.
- Harvest Hefeweizen : Not just another wheat beer. This award-winning hefeweizen is fermented with an authentic Bavarian weizen yeast to produce its unique flavor profile — fruity, spicy and refreshing. Try it without a lemon!
- Saison Du Soleil : We brewed this light, refreshing, saison with gallons of fresh squeezed grapefruit juice and zest. It's a perfect brew to pair with a frozen pizza you've recently harvested from your freezer, or that vibrant, green, salad you foraged from Mariano's (or Jewel, what have you). What we're trying to say, is that it's a perfect accompaniment to the final moments of sweet, sweet, Chicago summer.
- Deminimus Blanc : Bright Gooseberry, lychee and fruit aromas of white grapes from the Hallertau Blanc hops lead into a dynamic middle before a crisp lactic snap for a bright, tangy finish.
- Péché Mortel Framboise : Péché Mortel Framboise has been brewed with real raspberries. The fruity acidity compliments the roasted taste of the coffee for added complexity.
- Duck Duck Gooze : In Belgian brewing there are fantastic wild ales brewed with naturally occurring yeast. These beers develop over time and are ready on their own terms. Duck Duck Gooze is our homage to these effervescent and wonderfully complex sparkling beers.
- Four Knots : This Extra Pale Ale is twice dry hopped and packed with plenty of Citra goodness. The fruit forward citrus aroma is first to hit your senses, followed by a palate-pleasing sweetness and a clean satisfying finish. Melanoidn malt compliments this beer beautifully by adding a note of biscuit for a delightfully fresh flavor. 
- Excelsior Anniversary Series - 17 : Our Anniversary 17 is a hybrid between a Wheat ale and an India Pale Ale. The vision was to create something that had a round bitterness, a dry finish, but a nice wheat sweetness. The aroma is straight up spicy and citrusy like pink peppercorn and oranges. This beer is bottle conditioned with a brettanomyces yeast strain so it will evolve over time and add more complexity to an already unique brew.
- Ma : In commemoration of our head brewer and co-founder’s grandmother’s birthday, we have once again brewed this super fruity yet balanced amber ale! Hints of oranges, tangerines, and stone fruit grace the palate before a sweet malty caramel character provides balance and depth. A real treat that drinks well on any occasion. Happy Birthday, Ma. We love you!
- Belle Meade Bourbon Barrel Aged Deep Space W/ Coffee & Vanilla : Deep Space is a huge imperial stout which was made with all sorts of roasted and caramelized malts, giving it deep flavors of espresso, dark chocolate, and smoked currants. This version aged in Belle Meade Bourbon Barrels with coffee & vanilla
- Colonel Ledyard's ImPale Ale : This hazy, juicy IPA features Meridian hops, known for their smooth tropical fruit flavors. ImPale Ale tastes much like a citrus fruit smoothie, with that soft, pillowy mouthfeel expected in a New England-style IPA.
- Biere De Garde : A Belgian/French ale style, chestnut brown in colour. Low bitterness but characterized by complex fruity esters and alcohol can be evident.
- Biomimicry - Belma, Chinook, Citra, Denali : Biomimicry is our take on a NEIPA. Mixed fermented with Omega Yeast's 'Where Da Funk' yeast blend, and our house cultures. Double dry hopped with Belma, Chinook, Citra, and Denali for a deliciously fruity and tropical beer. We also backed down on the bitterness yet again, for a soft, smooth, and surprisingly full body. Can conditioned.
- Capricho Oscuro Batch 6 : When Cigar City's dark whim, or Capricho Oscuro gets the best of us, we select our favorite barrel aged beers to blend into a giant Gordian knot of liquid complexity. Capricho Oscuro #6 is a blend of bourbon barrel aged imperial stout, a bourbon barrel aged belgian-style dark ale, a brandy barrel aged double nut brown ale, and a bourbon barrel aged baltic porter.
- Glamour Skulls : Pale ale which bursts with bright melon and tropical fruit aromas from Galaxy, Mosaic and South African J-17 hops. The malt and yeast are restrained in order to showcase these pungent hops. 
- Wee Heavy - Port Barrel-Aged : This aged version of our traditional scotch-style ale is matured in port wine barrels to impart added layers of complexity to its already rich, malty flavor profile. Notes of sherry, dried fruit, vanilla and red wine tannins from the wine-soaked combine with the beer's caramel and toffee character to create a truly unique and splendorous offering. Savor it now or age for years to come.
- Red Room Red IPA : Red Room Red IPA is named after the red floor, behind the red door, in our red building, where the alchemy of malts and hops become beer. El Dorado, Galena & Centennial are the featured hops producing citrus, pine and stone fruit flavors and aromas.
- Shark Biscuit Australian IPA : We won't lie to you - there's no such thing as an "Australian IPA," at least not in the beer style books. We invented it as an excuse to use a boatload of Galaxy hops, which we think you'll enjoy. This hop-bomb of a beer explodes with pineapple, passionfruit, and key lime flavors, with a nip of pine beneath it all. This brew has all the subtlety of an enraged Great White Shark.
- Lost Rhino Tripel : Pleasantly tart and fruity Belgian style Golden Ale with a silky white pepper finish.
- Calico Jack : A Caribbean inspired mix of spice and flavor, combined with rich roasted malts, make this a complex and intense brew. Aged in rum barrels.
- Fat Tug IPA : Fat Tug is a northwest style India Pale Ale that is characterized by an intense hop profile of grapefruit & melon and restrained malt notes. At 7 % alc/vol and 80+ IBUs this beer delivers layers of aroma and flavor that is sure to satisfy anyone with a thirst for all things hoppy!
- Peak Organic Weiss Principal Imperial Hefe : Weiss Principal is the international love child of a German Hefe-Weisse and an American Double IPA. This unfiltered wheat beer employs a traditional German Weiss yeast, providing engaging banana and clove flavors. A stern dry-hopping of a pungent American hops provides pronounced citrus, pine & fruit notes.
- Zea Pontchartrain Porter : This beer was originally brewed by Zea's Rotisserie & Brewery in Metairie, LA but is now brewed by Covington Brewhouse for the Zea's restaurants. Dark and complex, this brew is similar to a stout, brewed in the English style and using English malts which give rich chocolate and coffee undertones.
- Mariënrode Dubbel : Mariënrode Double is a full flavored high fermentation dark beer with secondary fermentation in the bottle. It has 8% alcohol content and is brewed with three types of local malt, a small amount of Belgian candied brown sugar and local natural honey. A typical caramel note is derived from the caramelized malts and sugar. The honey and Belgian Abbey yeast adds hints of wildflowers and port-like Madeira flavors to this super tasty beer.
- Leo V. Ursus: Adversus : Prodigiously hopped yet nimbly brewed with pilsner malts, Adversus ultimately achieves the improbable: a big, bold IPA made for summertime sipping. A hard-charging blend of Pacific Northwest hops leads the way, loading the nose with notes of stone fruit, pineapple, mango and earthy pine resin. Meanwhile, the use of traditional pilsner malts adds levity and dryness to the palate, allowing for a refreshing texture through the finish. The result is a double IPA that is high on hop aromas, balanced in bitterness and perfect for the long, warm days of summer. 
- Duke IV : Duke IV is a hefeweissbier in the old German tradition, brewed with imported German wheat and pilsner malts, gently hopped, and fermented with Bavarian Weizen yeast. It pours a cloudy golden pint with a thick, oversized white head. Aromas of fruits and spice are complemented by a crisp wheat flavor. Finishes smooth and drinkable.
- Bangor Brown : Known as the “Jewel in the Queen City’s Crown,” the Thomas hill Standpipe overlooks our fair city. Our Bangor Brown is the jewel in our line up of ales. Its contrasting chocolate-like malt profile, hop character, and dry-hopped aroma specifically denotes a true American-Style Brown Ale and makes it a real crowd pleaser. Dark and malty with a full citrus hop flavor this brew has a history as rich and colorful as the City of Bangor.
- Laika Russian Imperial Stout : Named for the Russian space dog, Laika is a huge, chewy beast of a beer. Dark, rich and robust, it has a wonderful body and a flavor that has notes of chocolate, coffee and toffee. It is a fantastic dessert beer. It is part of our Right to Brew series, which we make in conjunction with local homebrewers, scaling up their recipes and producing them to help bring attention to the ongoing fight to legalize homebrewing in Alabama.
- Mt. Borah Brown Ale : A Salmon favorite! Named after the highest peak in Idaho, this very rich, smooth brown ale has a vibrant color and a hint of a nutty flavor.
- Pallet Jack Cruiser : Super easygoing and drinkable. At 4.5% you can cruise with this beer all day and still keep your flavor loving palate satisfied. Azacca and Citra hops provide a huge tropical fruit and citrus profile to this unfiltered beer.
- The Next Episode - Double Dry-Hopped : Pours hazy pale orange. Aromas of tropical dank fruit, full bodied with slight bitter finish. brewed with English pale ale malt, Vienna and Wheat. American Ale yeast and hopped with Citra, Galaxy & Cascade. Double dry-hopped with Citra Lupulin Dust.
- Upper Case : UPPER CASE has a delicate, dry pilsner malt character with a smooth, soft, doughy mouthfeel from the raw wheat, oily hop resin which all serves as a canvas for this twice dry hopped 9% double IPA. Overripe mango, pineapple and passion fruit aromas leap out as the beer is poured. The impression of tropical fruit also takes the lead in the flavor which is layered further by white wine, pine resin and grapefruit zest. Hopped primarily with Mosaic with supporting roles played by Galaxy, Citra and Columbus.
- Barrel Aged Salty Bear : Gose is an ancient German beer style that features sour and salty flavors. This interpretation combines our Huggy Bear Dark Sour, salt and caramel, all aged in a bourbon barrel. Multiple layers of flavor explode from the barrel into the bottle. Think of eating a salted caramel while drinking a whiskey sour. The impeccable balance of salt and sweetness leads itself perfectly to the sour tartness.
- Grandma's Boy Wild Ale : In looking at the 2016 version then, Grandma’s Boy still includes the deep golden colour, brett aromatics, yellow shiro plums, and the dry body. Our desire was to to lighten up the ABV, increase the acidity, and turn it into the A+++ we knew it could be (no further comments necessary). The new designation of “Wild Ale” more accurately reflects the style, allowing for acidity and the contribution of multiple strains of brett. Grandma’s Boy 2016 is all about clean brett aromatics, juicy stone fruit flavours, and a subtle but decidedly spicy oak character. The body is dry and lightly acidic, with notes of underripe pear, apricot, and plum.
- Weiss-K : One of our lightest offerings, this German style wheat bier is best served up fresh and ‘mit hefe’ (with yeast). Bursting with fruity aromas and a hint of spice from our weizen yeast.
- Eureka W/ Nelson : A Blonde Ale brewed entirely with Nelson Sauvin hops, a New Zealand varietal that melds beautifully with a simple bill of pale malts. This is a true "session beer" and one that does not make any compromises. It has a delicate bouquet of passionfruit and a slight lemon flavor that will surely quench your thirst.
- Sex Panther : Huge mouthfeel of chocolate and caramel malts, nutty dried fruit flavors with a big chocolate finish. It has bits of real panther in it...so you know its good!
- Blackberry Super Soak : Super Soak: our Soak series amped up with a bigger malt bill, increased ABV, and twice the amount of fruit as Soak. While still sour, the higher ABV in Super Soak serves to moderate the lactic acid formation.
- Smores Stout : A dark and smooth sweet stout brewed with roasted barley, biscuit and chocolate malts, milk sugar, and aged on rich cacao nibs.
- Silhouette (Unbarreled) : Barrel aged Silhouette is as deep and dark as the thick Northern Woods. It’s brewed in the style of an Imperial Stout. Aromas of coffee, molasses, chocolate and prune meld with an intense dark roasted character. This beer is complex, rich and full bodied. Its wild spirit will warm the senses, illuminate the soul, and grow into a traditional favorite...no matter what season.
- Toil And Trouble : Pale ale brewed with Pilsner and wheat malts. We hopped it with American Simcoe and Australian Ella and Vic Secret, two very fruit forward hops which makes this beer like a straight up hop smoothie. We get lots of lemon and orange peel with hints of lilac and eucalyptus in the aroma. The flavor is soft and smooth with a subtle cracker like malt flavor with piney, floral hop oils on the finish. 
- Half Acre / Short's / Piece Freedom Of '78 : Brewed in collaboration with Short's Brewing, featuring Jonathan Cutler of Piece. This beer was made in honor of the band Ween. We loaded up a Citra Hop forward IPA with some wheat and 1000 lbs of Guava Fruit from Ecuador.
- Boxer's Revenge : Full-flavored, dry, champagne-like farmhouse ale, matured in oak whiskey and wine barrels with multiple strains of wild yeast and bacteria. Look for lots of tropical fruit and funk, with a sour, earthy edge.
- Pompelmocello IPA : Pompelmocello is a tart, sour and puckering grapefruit IPA we’re brewing with Grapefruit Juice, Grapefruit Zest, the most grapefruity hop profile we can muster and lactose for a slightly creamy mouthfeel and sweet edge.
- Of Foam And Fury : This double IPA is hazy orange, dense bubbly white head, good lacing. Aroma - big tropical fruits, sweet fruity malts, grapefruit pith, lots of pithy resinous fruits, super aroma. Taste as the aroma, great background of sweet fruits, mango, tropical nots, juicy citrus, resinous hops, good bitter sweet balance, complex flavour, so drinkable for the abv, cracking stuff.
- Tripel Perfection : Ommegang's brewers spent several years refining their ideas of what a "perfect" tripel would be. In the original style, a Belgian tripel is a golden ale, from 8.5% to 10% ABV, with fruity flavors and aromas coming from the yeast. Tripels are simply brewed, but with great attention to detail. Ommegang Tripel Perfection goes beyond the exquisite attention to detail and adds spices to subtly enhance aromas and flavors. The result is a fine ale honoring Belgian brewing tradition, while also expanding on it in the new Ommegang tradition.
- Dunkelweizen : Similar in flavor to our Hefeweizen, but with darker malt coming forward in the flavor profile.
- Brune-Shakalaka : Belgian Brune brewed with house made dark candi syrup and tamarind. Belgian pilsner, Special B, Aromatic, Biscuit and Crystal Malts, Noble Hops and Abbey Ale Yeast.
- Apricot Seven (#7) (Sole Composition Series) : The Apricot Seven is a blend of two oak barrels soured from Artisanal Wine Cellars. Both were treated identically, being filled with a batch of Seven in early January 2011 along with Oregon apricot puree and a bit of brettanomyces. After eleven months, the two were blended and have been sneaking out here and there in draft form, while this ten case release was saved until now. At this point the beer has a significant earthy and fruity quality with distinct tartness rooted in both apricot and brettanomyces fermentation byproducts. Perfectly suited for fans of funky and sour ales, this one is just fine now but can be cellared for several years for more pronounced wine-like flavor to emerge.
- Zwarte Piet's Christmas : Brewed with ginger, cloves and bitter orange peel, this Belgian-style brown ale is a little sweet up front. You should notice some toffee, a touch of caramel, a hint of raisin and a slight little touch of chocolate intertwined with that initial sweetness. The ginger should be apparent, but not overwhelming. Those initial complex flavors will fade into the slightly more pronounced flavor of cloves. The hops were kept low to allow the bitter orange peel and cloves handle the very light bitter finish. The same yeast used in our Trippel is featured in this ale to add its own light clovy essence to the party.
- 3C IPA : Packed full of hop flavor with a lighter malt body, this American IPA showcases Citra, Centennial and Chinook hops. Citrus, Grapefruit and Passionfruit dominate the nose and tongue in this hop bomb. Brewed on a limited basis because of short supply of it's namesake hops.
- Howzit Braddah : Fruit punch sour
- Sidehill Sour Passion Project : Sweet tropical flavors from a plump amount of passion fruit and a little bit of plums added during fermentation
- Bellwoods / Le Trou Du Diable - Frambizzle : The first collaboration brew with our friends from Trou Du Diable (Shawinigan, QC). This Belgian Saison has been fruited (heavily) with Ontario raspberries. Refreshing and dry, with a slightly tart finish and distinctive Belgian yeast character. This rose-coloured ale was released in the summer of 2013. We were lucky enough to go and brew the same recipe again, this time on the big system at Trou Du Diable’s new production brewery!
- Barley Ridge Nut Brown Ale : This nutty, malty American-style brown ale is brewed with Montana grown and malted barley. Smooth, rich and full of flavor. Crafted to remove gluten.
- White Birch Apprentice Series Aloha Ale : Matt McComish is our first brewer apprentice. For Matt’s professional debut he choose to brew a Wit. Fruit notes and a hint of spice, with a satisfying balanced finish. Great for summer months in New England or just about anytime in Hawaii.
- Bootsy : Dark Sour Ale
- Cellar Series: Sajand : This beer uses three different examples of rye—rye malt, flaked rye, and chocolate rye—with the final result providing a nicely spicy, complex rye character. Sajand was brewed to celebrate the first full century of Estonian independence, and was barrel-aged inside Bourbon and Cognac barrels with oak chips soaked in Vana Tallinn, “the most famous Estonian liqueur.”
- Land Yacht : We've embraced "Midwest Exotic" as a way to describe the people here in the heartland working to change everyone's perception of flyover country. For this beer we took the concept a bit more literally. Indiana-grown malt, Citra hops, and a bunch of pineapple and guava fruit give this beer an exotic tropical twist.
- #38 Mexican Dark Lager : Nutty, honey, caramel.
- Cobbs Hill Black Lager : Cobbs Hill Park is the spot to follow your passion - be it working out, having winter fun or creating the perfect jam with guitars and bongos. This is our own “jam” inspired by this Rochester destination. Please enjoy the rich malt flavor and noble hops found in this smooth, yet utterly quaffable, dark lager and feel the groove we are laying down for you.
- Scratch Beer 147 - 2014 (Belgian-Style Brown Ale) : The flavor of Scratch #147 originates in the Abbey Ale yeast strain, which produces a distinctive fruity character akin to raisin, fig, date, and prune. As the flavor develops, the dark fruit character endures, adding traces of toffee, chocolate, and subtle spices. The addition of Belgian Candi sugar and cane sugar boosts the ale’s sweetness, while Tradition hops offer a faint floral hop note that helps to balance the underlying sweetness.
- Tonnellerie Rue : Our tonnellerie series is the perfect showcase of what we mean when we say that we make "wildly traditional bière". Here we have taken our classic Saison Rue recipe, rich with rye malt, and allowed it to ferment spontaneously within extra large oak barrels that previously contained similarly wild beers. After enough time and plenty of wishful thinking, this brand new, earthy, complex, farmhouse ale developed into what was bottled up to enjoy. We find the rustic charm of fermenting a beer in this traditional method is mimicked in the flavor.
- Wicked Garden : Saison infused with Maine grown strawberries and rhubarb. Medium bodied but dry finishing. Light, refreshing tart fruit character.
- Cherry Berliner Weisse Ale : Don't expect a thin, gaunt runway version of a beer from the Sons of Liberty "Fashionista" Kettle Sour Series. No, our "Fashionista" has a fully balanced body with a slightly sour demeanor and notes of fruitiness that are often surprising but nonetheless fabulous.
- Porter : Our winter dark flagship this is a big and bad porter that holds a heavy mouth feel while being packed full of dark roasted malts giving it robust notes of coffee and chocolate while the caramel malts bring it back down to reality with gentle rich tones of caramel and toffee. 7.5% ABV 30 IBUs
- Watershed IPA : Presenting hop aroma and flavor of fresh grapefruit and resinous pine, Watershed IPA strikes a balance between bitter and sweet, finishing crisp and clean.
- Nit Wit : Walk through our brewery when we brew this beer, and you'd think we were a perfume manufacturer, but no need to wear what we make when you can drink it. This Belgian-style White or 'Wit' Ale: very pale in color, spiced with coriander, chamomile, lavender and orange peel, phenolic spiciness, fruity esters & mild acidity from wit yeast. It is unfiltered and has a nearly opaque/whitish haze appearance, low Noble hop bitterness and flavor and low-medium body.
- Winter Saison : Inspired by crisp December nights on our estate in the foothills of the Great Smoky Mountains, this Saison is reminiscent of the natural nuances of winter. Light and dark wheat add palate fullness to this Saison’s floor malted barley backbone. Abbey-style character malts and our flavorful yeast strain develop complex dark fruit notes, while Styrian Golding hops bring a subtle counterbalance of bitterness. Unique yet rooted in tradition, our Winter Saison is ideally accompanied by foods with notes of cinnamon, citrus and nutmeg.
- God Put His Tired Hand In Our Tired Hands : Imperial Baltic porter brewed with Munich malts and pinto beans. "It's the darkness that comes out of the hole in the top of your glass."
- Belligerent Bloke (2015) : Belligerent Bloke is a rich mahogany-hued, subtly spiced barleywine. Big caramel and fig notes balance against delicate spice aromas of ginger and allspice. Malt-forward flavors of ripe fruit and molasses dominate with complexities of light cinnamon and ginger spiciness in the background, leading to a velvety finish.
- Juicy Trip : Take a Juicy Trip with our IPA hopped Belgian Style Tripel. Tripel Hopped! Uniting the best virtues of IPAs and Tripels, the hops and yeast create nuances of tropical fruit, apples, grapefruit and oranges. It’s smooth, fruity, super drinkable, and dry!
- Magic Fish Session IPA : This India pale ale packs huge grapefruit and tropical flavors in a sessionable style ale. Made from a combination of American 2-Row barley, Crystal and Vienna malts, this IPA has a light amber hue. American Ale yeast provides a clean background for the Amarillo, Simcoe, and Galaxy hops to stand out.
- Zack Morgan's Pale Ale : A beautiful copper brew ripe with citrus aroma from legendary American Cascade hops. The nice, initial hop bite fades to reveal the perfect subtleties of a well-rounded India Pale Ale. Notice hints of orchard fruit crispness that will leave the palate begging for more.
- Salad Daze : Hop forward session lager featuring aggressive late-kettle & Dry-hop additions of Citra. Citrusy, fruity and crushable!
- Cherry Vanilla Frappe IPA : Our frappe series continues with the inclusion of lactose and the addition of fruit, but this time we added vanilla too! For this batch we threw Mosaic in the whirlpool, then dry-hopped it with Citra, Ekuanot, and El Dorado. 160 lbs of natural tart cherries colors this beer a stunning peachy haze. A touch sweet, a touch sour, abundantly juicy, with a soft, full-bodied mouthfeel. Holy Frappe!!!
- Gifted Branch : Golden sour beer aged in oak barrels with bushels of peaches and a dash of apricots. We formed layers of bright stonefruit character by blending a unique mix of microorganisms with our fondness for apricots and peaches.
- Weizen Fall : Aromas of candied pecans, rich caramel, raisins, dates, baking spices, and dried apricots. This pours dark amber in color and has a taste of toffee, nuts, spices, and a slight alcohol warmth. A perfect beer as we transition into the Fall season.
- Moebius : Dark roasted malts, dark belgian candy sugar, licorice sticks, and aged for 6 weeks in Balcone’s Brimstone whiskey barrels, Mobius is one of the most time-intensive beers we make and most complex in ingredients and flavors. 10.1% abv. 66.4 IBUs.
- Stateside Pride : We teamed up with legendary London brewers Fuller's Brewery to collaborate on a 1955 version of their classic London Pride Ale brewed for the first time outside of the UK! This is a textbook English pale ale with a light but complex malt body and moderate floral and herbal hop flavor.
- Malasaña : his is a rye pale ale with subtle hop flavor and aroma giving a fruitcake character.
- Autumn Pale Ale : Fresh juice pressed from New York State apples makes up a quarter of the fermentables of this crisp and easy-drinking Autumn Pale Ale, lending it a slightly acidic, fruity and tannic finish. Northern Brewer hops from the west coast are added to the kettle and conditioning tank, contributing a woody and subtle mint character.
- Abstrakt AB:16 : AB:16, our latest concept beer, is a smooth and luxuriant Belgian Quad infused with coffee beans. On the nose you might find warming clove and nutmeg, cafe au lait, subtle dark fruit notes, and hints of candied lemon peel.
- Sap Sucker : Since it set off on its maiden voyage from the brewery back early December 2010 - perfect timing for December festivities and those thirsty needs that generally accompany the season of good will, it hasn't stopped. Our deliciously dark & robust Porter, with a delicate but flavourful touch of maple syrup. Favoured by the educated craft beer drinker, looking for a uniquely rich & flavourful product, it’s popular with consumers, beer bloggers & judges!
- Emotional Honey : Emotional honey is a sour red aged for two years in an oak foudre with pediococcus and lactobacillus. The beer was then transferred into mead barrels, from Vermont mead maker Artesano, and aged an additional 8 months. The finished beer is copper in color with a complex aroma including oak, dill and stone fruit. Emotional Honey has a lingering malt character in the flavor, an assertive tartness and long, dry finish.
- Alta Lake Ale : A blend of premium Belgian malts, plus German and Pacific Northwest hop varieties gives this luscious, copper-hued ale a wonderful complex aroma, a rich depth of flavour and smooth drinkability.
- Pollen Nation : According to "Oaklore," Orange County was originally covered in giant sequoias and oak trees. Loggers naively chopped down trees to make lumber and oak beer mugs. Eventually, seeing an abundance of lumber and a lack of trees, they planted orange groves, figuring harvesting oranges would be much easier than chopping trees down all day long. The orange groves flourished, and the area eventually became known as Orange County. Brewed to lumberjack standards, this brown ale is aged on oak chips, giving its caramel and nutty body a sweet hint of vanilla and oak aroma.
- Batch #006 : Batch 006 is a big tropical punch to your tongue. Made during the harsh of winter as a means of flavorful escape to the warmer climates of Australia. With the abundant use of Ella, Vic Secret, and Topaz, Batch 006 smells like a garden of mangoes off the shores of the Great Barrier Reef and seeps flavors of apricot and papaya. A soft bitterness balances the malt bill and allows the fruitiness of the hops to really shine. 
- Pixies Revenge : This Belgian golden strong is a deceptively powerful version of the style. An estery aroma with subtle notes of vanilla leads to a malty flavor profile complimented by notes of pear and apricot supported by a surprisingly complex tanic structure from the barrels, and ends with a surprisingly crisp finish. Pair this beer with Sushi or mussels for a real Belgian experience.
- Bitter Bitch ESB : Typical of the style, the Bitch is a little bittersweet, dark gold with pronounced maltiness and a balanced hop flavor.
- Hyperborea : Nordic-inspired farmhouse ale. Medium-bodied with notes of juicy stone fruit and a touch of lingering smoke.
- Arcadia MI Berry Vice : Mi-Berry-Vice is Pours a clear, raspberry red hue with a rose-colored head. Candy-like aromas of tart, red raspberry and snappy wheat malt. Fruit-forward flavors of blueberry, cherry, and red raspberry sit on top of a backbone of malted wheat. The beer is lighter-bodied than it looks and finishes clean and dry, which ought to make it appeal a little more to craft-beer drinkers, since it’s not quite as sweet as you’d think.
- Raise The Roost : A Belgian-style ale to awaken the palate with a call of spicy, fruity yeast notes and a roasty malt character. Raise a glass and rule the roost.
- Pitter Patter : Patersbier is typically a lower alcohol beer that Belgian monks drink during lunch or lent so that they can keep working and praying all day long. We use Belgian malts to create a bready, toasty malt profile with hints of dark fruit, caramel and toffee flavors. Traditional Belgian yeast rounds out the flavor profile with some fruit ester notes. This is truly a session beer with a Belgian pedigree.
- Blueberry Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Blueberry Soak is intensely tart, balanced by a mild oak character and a bone dry finish. Bright fruit and rose flavors permeate the palate.
- Grapefruit Radler : Our nod to the summer, a radler blends a bitter grapefruit note with a soft, sweet beer to highlight the refreshing character of this blend. We used Texas Ruby Red Grapefruit with a lightly tart wheat beer for our summer seasonal.
- Ginger And Mary Shand : Here’s a refreshing change: you’re the hand that blends the beer. In this new concept designed by John Caropino, who won the silent auction item at our 8th Anniversary Festival to brew with us, you get to make your own Belgian-style shandy / radler. In one glass is a hoppy Belgian strong ale, featuring Vic Secret, Mandarina Bavaria and Cascade hops for some bitter, citrus and fruity notes to compliment what’s in the other glass: the soda component for blending. This [even more] bubbly concoction features fresh ginger, lime and coriander. We like to blend it in equal parts: half ale, half soda. You get to blend to taste. Whatever you do, it’s entirely awesome and refreshing. Cheers!
- Medusa (Dragon Fruit and Passion Fruit) : It has been said that looking at Medusa will turn you to stone! We like our Berliner sour but not quite that much. So we have aged this version on Passion Fruit and Dragon Fruit to help you tame just one of Medusa's many snakes. At 5% , we envision having more than just one but be careful not to look too close at her otherwise you will become a permanent fixture in the world of sour beers!
- Buzzcock : A light bodied, dark colored ale with a nice easy finish. Inspired by a British Mild, we made this easy drinker our own by increasing the body and hop character without overdoing it. The clean taste and unique aroma make this beer another great offering from Steamboat’s first production brewery.
- 3 Rocks : Named after Glen Major’s twisty trail, this IPA is a thrill ride for your mouth. Big grapefruit and pine hops collide with full bodied malts for a maximum blast of flavour.
- Texas Backyard Blond Ale : Brewed with the finest imported German malts and hops, using traditional German brewing techniques, the Texas Backyard Blonde Ale is inspired by the hoppy golden kolsch ales of Cologne. More complex than your average blonde, bready, biscuity malt flavors combine with ample grassy, spicy hops and fruity esters in a crisp, refreshing brew, perfect for steamy Texas days.
- Berry White : A classic for summer! For this raspberry wheat beer, we started with a Belgian Wit recipe and replaced the traditional coriander and orange peel with a fresh raspberry puree added after fermentation. This produced a beautiful hazy blush colored beer, a fresh raspberry aroma, and a taste so light, fruity, and delicious it is hard to have just one.
- Passion Bu : A Berliner Weisse inspired ale, aged in oak barrels and refermented on Passionfruit.
- Galbraith Series #1 - Cedar Dust IPA : Brewed with five varieties of big hops, all bred and grown in WA state, Cedar Dust IPA has a distinctive herbal pine, citrus aroma. The addition of Mosaic hops, provide subtle blueberry undertones followed by a spicy, earth mouthfeel. Smooth and naturally carbonated, it has a unique blend of malts (including a secret dark malts!) which provide just enough backbone to balance it’s big hop character. Complex, delicious and refreshing! As they say, a bit of wood makes a big difference.
- Duro Obscuro Dunkelweiss : A traditional Bavarian style wheat ale with flavors and aromas of banana and clove created by the yeast, combined with caramel and chocolate flavors from the malt. Very complex yet super drinkable.
- Nefarious Nectar : Light in color and medium-bodied, but complex in flavor. Unique Belgian yeast imparts notes of white pepper, spice and sweet stone fruits.
- Impermanence : Impermanence is an imperial milk stout brewed with coffee, chocolate, and maple syrup. Below these additions lies a complex base of chocolate, caramel, and dark crystal malts. A kettle addition of lactose serves to amplify the decadence of this uniquely Tree House offering. Impermanence coats the tongue with flavors of sweet milk chocolate, dark amber maple syrup, and coffee ice cream. It's an incredible treat - a bona fide breakfast confections bonanza. It is an example of what is possible with careful selection of ingredients paired with focused brewing execution. Please enjoy it fresh and use it as an opportunity to reflect, give thanks, and enjoy in the company of others.
- Belgian Pale Ale (BPA) : Great summer time beer with moderate sweetness, light, grainy, spicy wheat aromatic and with a bit of tartness. Some spicy or peppery notes in the background. You will also pick up moderate zesty and citrus orange fruitiness.
- Afterlight : Afterlight is a dark sour beer aged in French Bordeaux wine barrels. Fermented with Brettanomyces and Lactobacillus, this decadent sour beer presents notes of dark chocolate, dried cherries and vanilla. Dark and alluring, Afterlight entwines flavors of both beer and wine.
- Abbey : A Belgian-style ale brewed in the tradition of Trappist Monks, this dubbel focuses on complex malt characteristics accented with dried fruit flavors like raisins and plums. There is a subtle English hop bitterness to balance the malt sweetness. The finish is purposefully dry and clean, with no cloying sweetness, and a little bit of alcoholic warmth.
- Little Red Roggenbier : This German style "roggenbier" is made with 50% red rye malt and German hefeweizen yeast. A fruity, spicy, complex session beer.
- Ded Moroz Imperial Stout : Meaning “Father Winter” in Russian, Ded Moroz, is pitch black in color. It is an imposing beer that is best enjoyed by slow sipping to fully soak up this beer’s complexity. It has a very deep flavor profile of dark chocolate, coffee, graham cracker, overripe fruit, amongst others. To add to its complexity, it is generously hopped with a large portion of imported Brittish hops to balance the sweetness and keep it true to style. Ded Moroz is a decadent treat perfect for the cold winter months!
- Horus / Hoof Hearted - Ride The Bird : Red wine barrel-aged Belgian-style sour ale aged longan and passion fruit.
- Decades IPL : Brewed to celebrate our 10th anniversary, Decades is an all Cascade hopped beer from bittering hop to dry hop. It has a dark amber color with an off-white head. The mouthfeel is medium bodied, and Decades has a medium level of carbonation. There is an unmistakable grassiness to this IPL which stems from dry hopping with whole leaf Cascade hops in the serving tank. Even though we have been established for 15 plus years now, Decades still has a place in our hearts and definitely on the beer menu. Join us in lifting a glass to our future success.
- Mysterium Belgian-style Spiced Ale : A refreshing ale spiced with cardamom & chamomile"; "A mystical blend of chamomile, grains of paradise, cardamom, and fruit flavors from Belgian yeast, this Belgian-style Spiced Ale is a mystery, and a bottle, you'll never want to get to the bottom of. Have a sip, and ... Transcend Ordinary
- Mr. George's Ruby Porter : Same as their "Dark Lord" but renamed due to legal reasons.
- Big Mother : Brewed for our 3 Year Anniversary, this beer boasts huge aroma and flavor, staying balanced throughout. Notes of Fruit Loops, Tropical fruit and creme brulee shines through with a slightly sweet finish. Enjoy this once a year beauty.
- 26th Anniversary Bourbon Barrel-Aged Belgian Dark Strong Ale : This full-bodied ale has dark fruit and caramel flavors, with hints of bourbon and toasted oak. The warm finish makes this beer perfect for celebrating, whether it’s your first anniversary or your 26th.
- Citra Ass Down! : This is a very hop forward American style IPA. Brewed with Pale, Vienna, Munich and wheat malt for a solid base for all American hops, focusing mainly on the variety “Citra.” Citra hops are a relatively new variety introduced in 2008. It was bred as a hybrid of a number of different hops, including Hallertauer Mittelfrüh, U.S. Tettnanger, East Kent Golding, Bavarian, Brewers Gold, and other unknown hops. The resulting hop, Citra, has a distinct citrusy and tropical fruit flavor and aroma. In Citra ass down we used American Columbus for bittering and 11# of Citra at the end of the boil for late kettle addition flavor and aroma. Then we added 6 more pounds Citra and 5# Centennial post fermention for aroma. Rebrewed for your tasting pleasure!
- Local Fields Gourdgeous : It's time to usher in autumn with this robust porter. Using pumpkins grown just a half mile from the brewery, Gourdgeous also features traditional pumpkin pie spices and molasses. Rich with notes of dark chocolate, pumpkin pie, and sweet caramel, it's the perfect pour for when the days get shorter.
- Dank Tank: Fresh Sticky Nugs (2017) : Hazy Imperial IPA. After 4 months of tilling and and hoeing, Farmer MacDanknugs was cockeyed with anticipation, ready to reap his reward of fresh sticky nugs. Firing up his supercharged John Beere, ol’ MacDank blazed straight down to plow some primo Amarillo, Citra, and Simcoe, harvesting the funkiest hop buds to cap off this succulent unfiltered 8% Double IPA. Our farmer drifted into a happy haze from the aromas of grapefruit, passion fruit and orange, daydreaming of the juicy brew to come.
- Hugene : Hugene is a humungous Imperial Porter brewed using the first runnings of wort from a huge mash yielding the darkest and highest concentration of fermentable sugars.
- Mayhem - Belgian-Style Double IPA : Chaotic yet hypnotic, Mayhem is a deliberate Double IPA, brewed and conditioned with a special Belgian yeast that contributes complexity and spice. Abundant American hops offer grapefruit, pine, must and mint, which play off the fullness and sweetness of pale malts then provide a biting yet enticing finish.
- Staycation IPA : Structured malt is over-powered by Amarillo, Simcoe, and Columbus hops in this classic northwest IPA. Expect stone fruit flavors, a medium body, and a dry, lingering finish.
- Intellectuale : Somewhere between a Wit, a Blonde, and a Belgian Golden, Intellectuale is an easy-going and tasty beer that stimul8s the mind, the body, and the soul. This clever brew has a light, crisp body with a genius amount of wheat. Mild fruit esters; smartly hopped. On a hot humid day or chill night, Intellectuale is always the intelligent choice.
- Great Question : 100% Brett Single. Fruit Bomb, Cantaloupe, Tangerine, Earthy, Rustic. 
- Unity IPA : Citrus, tropical fruit, balanced.
- Mermen Are Pretty Too : New England Style IPA dry-hopped with galaxy, simcoe, zythos, and citra cryo. Exhibits flavors and aromas of pineapple, tropical fruit, and ripe citrus
- Piercing Pils : A Perry-Pils hybrid, Piercing Pils is a Czech Style Pilsner brewed with a White Pear Tea and Pear juice. Both the juice and the tea were added in the kettle during the whirlpool (after the boil) for maximum flavor and aroma contribution. The Pear fruit complexity pierces right through the spicy Czech Saaz hops beautifully, adding a gentle acidity to this pale lager that makes for a crisp refreshing sipper. Amarillo hops add nuanced citrus notes that meld perfectly with the fruit.
- Double Lucky : Double Lucky is more than meets the eye. Behind its golden exterior lurks a world of molecular gastronomic goodness. Here, the tart sweetness of mango collides with the resinous pine flavour of the hops, creating a dry-hopped ale as unique as a tropical, stone-fruit enhanced pine tree.
- idl : Hoppy Dark Lagerbier 6.0% Brewed in collaboration with our old friends from Root Down Brewing, at their facility in Phoenixville. Essentially a clean dunkel lager, brewed with some really nice German malts, and then hopped aggressively with Simcoe. Notes of fresh baked bread, slight toffee, mango jelly, and cantaloupe.
- Cuppa Espresso Stout : A rich mahogany crown adorns this jet black stout robust with toffee and dark chocolate malt flavors. Hand crafted using a blend of supreme roasted malts, delicately aged on hand-picked espresso coffee beans. Smooth and full on the palate with a roasted finish.
- European Slaycation : An epic Belgian IPA heavily dry-hopped Citra, Mosaic, and Falconer's Flight, this fruit-bomb is sure to please the hordes. Brewed with Whole Foods' Grog the Growler King!
- K Is For Kriek : “B” is for “Brooklyn.” We all learned that in school, yes? But “B” is also for “Belgium”. And when our brewmaster first visited Belgium in 1984, he learned that “K” is for “Kriek”. “Kriek” means “cherry” in Belgian Flanders, where for centuries Kriek beers have been made by adding cherries to lambics and other sour beers. Here in Brooklyn, we based our distinctly American take on Kriek on our dark abbey ale, the estimable Local 2. To this beer’s subtle marriage of malts, dark candi sugar, local wildflower honey and zing of orange peel, we added tart dried whole Montmorency cherries from Michigan. Around this, we wrapped a barrel of charred American bourbon oak. The sugar of the cherries began to ferment away. The barrels hissed. And we waited.
- Wild Sour Series: Plum Sour Stout : Plum Sour Stout rebels against style boundaries as it opens with a bold fusion of fruitiness and chocolatey roast. Dark fruit flavors then take hold, evoking memories of plum jam and chocolate-covered cherries to bring everything into balance. The result is a light-bodied and refreshingly tart stout that's just plum sour!! 
- Oumou : People often talk of the silk road between Asia and Europe, but the southern sea route took traders all the way down the east coast of Africa. From the great African continent we bring you Oumou. Traditionally a pineapple and ginger ‘beer’, our take on this brew is a zesty and refreshing pilsner with pronounced gingerol punch layered with pineapple fruit sweetness and aroma.
- Autumn Harvest : Essence of pumpkin, vanilla and mild spices. Rich creamy gourd and vanilla tones with bold yet smooth complexity complement the toasted spices and coconut subtleties.
- Little Joe Oatmeal Stout : An oatmeal stout with a creamy mouth feel from the oats with notes of bold roast coffee and dark chocolate bitterness, along with sweet toffee undertones that round out the experience.
- JAX Belgian Tripel : Our heartfelt Belgian tripel pays homage to three generations of the Baxter family. Named after their first born grandson, this beer is made from a simple recipe that lets the complexity of the Belgian yeast shine.
- Scratch Beer 121 - 2013 (Wheat Bock) : As we brace ourselves for the inevitable drop in temperature, our latest Scratch Beer comes at the perfect time – right before Old Man Winter rears his ugly head! Scratch #121 represents our take on the Wheat Bock, an amped-up wheat beer that has been “lagered,” or fermented and conditioned at low temperatures. This process gives the beer a smooth crispness, ultimately enhancing its overall texture and mouthfeel. Traditionally, Wheat Bocks are thicker, stronger, and often darker than typical wheat beers, yet they still maintain some the refreshing characteristics that most wheat beers exhibit. Chewy and robust, Scratch #121 elicits hints of lightly toasted grains, vanilla, and fresh baked bread. There’s also plenty of residual sweetness to balance out the 8.2% ABV. This beer will thaw you from the inside out and leave you feeling all warm and tingly!
- Hoptronic : Hoptronic is an American Pale Ale that has been kettle soured and loaded up with a whole bunch of Nelson Sauvin and Mosaic hops. The natural acidity from the souring process creates a tart character that when combined with the white grape, kiwi and tropical fruit characteristics of the Nelson Sauvin and Mosaic hops brings out some of the juiciest hop flavors imaginable!
- Aiken Nitro Stout : A complex flavored black semi-sweet ale with a dense light tan exceptionally creamy head. When poured the effervescent nitrogen in solution makes the bubbles in the beer appear to be going downward in the glass instead of rising to the surface.
- Blackberry Soak : Introducing Soak: our new line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Blackberries bring an assertively tart, yet unsweetened flavor profile, striking burgundy-fuschia hue, and re-enforced tannic structure to this first iteration. Blackberry Soak is dry with undertones of oak and a subtle wheat grain finish.
- Fall Line : Brendan continues the fruitful quest for his interpretation of unique and crispy little bottom fermented beers. . .Introducing Fall Line - a new lager perfect for these unseasonably warm late summer days! Fall Line pours a brilliant yellow in the glass with a fluffy bright white head giving way to delicate hop aromatics intermingling with biscuity malts. A bit drier and punchier than Trail Magic, Fall Line is super crisp and a beer designed for a 1L tankard and the joyful rambunctiousness that comes with it. . . don’t miss it.
- 13th Original Maple Stout : Early in our home-brewing careers, in an attempt to revive a stout that we thought wasn't fermenting, we dumped in a cup of maple syrup. A few weeks later we tried the creation with trepidation… and it was fantastic! Years have passed and we've grown to become much better brewers, and this stout has grown better with us. Mixing a complex malt base, a healthy dose of maple syrup and an unusual blend of hops, this beer, just like our state, is truly an original.
- Coquette : A heavy wheat saison named for the grey dress wearing female laborer a in France. The play between Pilsner and wheat malts make this the perfect day beer. German Tettnang hops and spicy saison yeast creates a complex subtle brew.
- Third Age : A winter warmer and ideal companion for the travelers and pub dwellers of Middle-earth, this classic old ale, aged in PX sherry barrels, is full-bodied and rich with the aroma and flavor of dark fruit, caramel, and the intense complexities of sherry and oak.
- Thrashed Oats : If you're a fan of dark beer, you'll enjoy our Oatmeal Stout! Thrashed Oats features a full body, sweet flavor with very little bitterness, and lots of roasted malt characteristics. The oatmeal in this stout makes it unbelievably silky & smooth! There is very low hop character in the Lena Oatmeal Stout. Instead, expect flavors of chocolate and roasted coffee. Delicious!
- Enkel : Traditionally brewed as a table beer in monasteries, the Enkel is a session ale meant to accompany your meal. A brett presence paired with a traditional Abbey Ale strain provides unexpected tropical fruit notes.
- Citrus Saison : That's right. We didn't scavenge the aisles of our local Mariano's for this citrus. The scrappy Dave Odd of Odd Produce hit the road and then hit the grove to find lemons, tangerines, and oranges growing wild in the untamed, muggy, forests of Florida. The citrus blends beautifully with the saison yeast, offering a bright compliment to the beer's spicy fruit character. Time to bust out those party jorts, and let those pale legs breathe, because you don't need sunscreen to drink up this sunshine.
- Java Joule : A rich, complex coffee stout with local coffee.
- Hang Glider : An extremely refreshing blonde ale with subtle floral, stonefruit, and citrus notes.
- Rye IPA : Slightly spicy from the rye with a mix of piney and grapefruit flavors from the centennial, cascade, simcoe, and nugget hops.
- Shellfish Warning : Full of flavor.. dark notes of roasted malt, chocolate and a hoppy finish indulge every ounce. Brewed with fresh Carteret County oysters.
- Celtic Pride : Celtic Pride has an ABV of 3.9%. It draws heavily on the traditional style of the region, which gives a blend taste of fruit and hops on the nose, followed by a prominent bitter, which gives a dry finish.
- Grapefruit Table : A table sour fermented with brettanomyces and lactic acid bacteria in an oak puncheon aged on grapefruit zest and juice and re-fermented in the bottle with brettanomyces.
- Head Of The Neck Hefeweizen : This traditional Hefeweizen represents the welcoming flavors of banana, cloves and a slight tart dry flavor. Often seen at festivals featuring a fresh well mixed fruit through our proprietary home made Randall that cuts out a lot of the foam usually seen through most Randall's.
- Sakura : Sour Red Ale with dark sweet Cherry, Cherry Blossoms.
- Tourmaline Black Ale : Features malt flavors as dark as night while inviting a bright, balanced hop bitterness akin more to a pale ale. Named after the black crystal often found near the Arkansas headwaters and dry hopped with El Dorado & Amarillo.
- Hoodoo Imperial Stout : The tradition of conjuring up Lowcountry magic continues in Hoodoo Imperial Stout. Dark and roasty, this Belgian-style Imperial Stout displays the rich flavors of a strong stout with the dry and estery nature of our house ale yeast. Flaked oats add a smooth and silky finish.
- Left Coast Session : A West Coast style India Session Ale, this Pale Ale is light in color and body. With a huge amount of whirlpool hops and an even bigger dry hop, this beer has a very hoppy nose; full of flavor, with very little bitterness. Huge notes of citrus and tropical fruit are immense on both the nose and palate. This beer can satisfy even the biggest hop head!
- Yule (2017) : It's time to savor the spirit of the season. Each year, Belgian brewers create a special beer to celebrate the holidays. We're keeping that tradition alive here in Minneapolis. Robust, dark and warming, our sixth Yule is fermented with cherries and lightly spiced with vanilla beans. And, like all the best holiday traditions, it'll keep getting better over time. Cheers!
- White IPA : Brewmaster Dan uses Canadian wheat as a base malt, with additions of coriander and sweet orange peel in the kettle. Finishing with lashings of galaxy hops during fermentation makes this brew light and balanced, with tropical fruit aromas, and a crisp, slightly tart finish.
- Experimental #408 - Barleywine : An American Barleywine with deep molasses and caramel flavors. Dark fruit, and candied oranges finish the palate.
- Ghost Freight Coffee Stout : Ghostly dark and full bodied, poured on nitro for a smooth feel and brewed with Brazilian coffee for that beautiful roasted character. Made to be paired with red meats and chocolate desserts.
- Tripelcross : With so much to enjoy about this complex and elusive style, any attempt to describe it in full is enough to make you go cross-eyed. Instead, we’ll just say this surprisingly sippable tripel is a story of style over strength – lightly bodied with a distinctive yeast character and notes of ester and sweet summer fruit, Tripelcross is the perfect intersection of tradition, innovation, and the intangible that we live for here at Crux.
- Night Wheeler : Night Wheeler is a dark black lager with bold roasted malt and faint citrus hop aromas. Robust flavors of burnt cocoa and roasted espresso barely give way to some mild orange and grapefruit hoppiness. Night Wheeler’s light body and crisp nature allows for a showcased bitterness that seems delayed at first, but builds to a powerful finish.
- Abe's Ale : A brown ale with maple syrup, molasses and brown sugar. This smooth trifecta is accompanied by a high ABV. Its dark amber color comes from deep malted barley and molasses.
- Speedway Stout - Double Barrel : This variation of Speedway Stout has gone through two different maturations in two types of oak barrels to develop its complex flavor profile. The extended aging period in freshly used bourbon barrels helped the beer develop rich notes of vanilla, caramel, and oak. The beer's aging process in Portuguese port barrels added notes of raisin and plum, as well as wine-like tannins. The beer was also combined with locally roasted coffee to further balance its profile of chocolate and roasted malts.
- Early Riser Coffee Porter : We start with a smooth, dark, rich and roasty porter then we add Columbian Cauca Cajibio Estate coffee supplied by our local friends at Maps Coffee Roasters to create an eye-opening marriage of our two favorite brewed beverages.
- Race To The Sun : Hops farmers sometimes refer to hops climbing the vine as a “race to the sun” and we envisioned the Jarrylo, Calypso, and Zuper Saaz used in this brew doing their thing out on the field to yield the refreshing, fruity notes in this American Wheat Ale.
- Fruit Stand Watermelon Wheat : As an homage to the dozen or so fruit stands that line the streets of Kensington Market, we've brewed a light and crisp wheat beer flavoured with watermelon. Fermented with a California ale yeast, this wheat beer is cleaner than most – no banana or clove here! Watermelon was added during fermentation and results in a mild but enjoyable watermelon aroma and flavour.
- Upland Harvest Ale : Upland's Harvest Ale is an American Pale Ale by design, but an ever more vibrant rendition by loading up our hopbback with freshly harvested Citra hops. Expect huge wafts of tropical fruit notes, balanced by a moderate bitterness and lightly toasted malt character.
- Jacktar Stout : Our stout is brewed with plenty of hops in classic North American style and sports a deep, dark roastiness with hints of chocolate, raisins, caramel, coffee and fruit. It's big, black and delicious! Excellent with shellfish, smoked meats, grilled meats or chocolate desserts.
- Sow Your Oats Stout : Our most complex brew with seven different types of barley and oats. This is stronger and hoppier than Tarbox, with the oats imparting a well-rounded mouthfeel.
- Olde 39 Pale Ale : The best of British malts & the best of West Coast hops. Dry, crisp pale ale with a grapefruit hop nose
- Factitious Excellencies : Bourbon barrel-aged dark sour with boysenberries.
- Regal Pilsner : A double Pilsner with distinct hoppy attributes and a pronounced malty backbone. It is strong in character and steadfast in its resolve to provide maximum drinking pleasure. All hail our Brewmaster and the fruits of his labor, Regal Pilsner!
- Cellar Society - EL5 : Baird Family Farms is a neighbor in Dayton, OR which has been growing legendarily sweet and juicy peaches since 1979. To make the penultimate beer in your Cellar Society 6 we obtained a raft of ripe fruit and added them—after pureeing by hand—to a single Old Tom Gin barrel filled with Sebastian saison and our “Amigos” house sour blend, cultured since the earliest days of buildout. After refermenting with those peaches and bottle-conditioning the beer has gone to truly delicious new places.
- Barntoberfest : Full bodied, dark lager, lightly hopped.
- Dubbel : Dubbel is rich brown ale that is complex in flavor with notes of chocolate & caramel. High in alcohol and body, your nose will pick up plum & raisin
- Colorado IPA Nouveau : An American style IPA using all domestic ingredients, including handpicked, fresh as they get hops from Olathe, Colorado. Once a year the fresh hops go from the field to brew kettle within 24 hours. We’ve raised our tank temperature to let our yeast bring forth more fruity esters reminiscent of the famous Beaujolais Nouveau wines of Europe. The result is a beer that is medium bodied, golden in color, and moderately bitter with a big fresh hop herbal and citrus aroma.
- NC Dunkel : A dark, rich beer with with rich, complex ready notes and chocolate-like flavors.
- Imperial Stout : Like India Pale Ale, the classic Imperial Stouts were originally brewed with high levels of alcohol and hops to withstand the rigors of a long sea journey, not to India but to Imperial Russia and the Baltic States. Our version is an over-the-top riff on the style, with a huge grain bill featuring several kinds of malted barley, wheat, rye, oats, and spelt. Robust grain and coffee flavors are counterbalanced by date and plum notes from the Belgian yeast. To add extra complexity and depth, this Imperial Stout is made up of a blend of freshly brewed beer and several barrel-aged beers, carefully balanced. Za Vas!
- Consecration : Belgian-style dark ale aged in American oak Cabernet Sauvignon barrels with currants.
- Golding Bitter : A light, fragrant beer with a fruity aroma. A typical English session beer.
- Tropical Great Return : West Coast IPA conditioned on tropical fruits
- Bierleichen! : A distinctly complex Märzen-style lager. This Amber lager was brewed using traditional German ingredients. Bierleichen! delivers rich, toasty, bready flavors that finishes with a soft, maltly sweetness.
- India Red Ale : Within its beautiful ruby red hue, our India Red Ale transcends traditional Northwest IPAs by revealing a complex malt body. A touch of caramel and chocolate malts boldly balance the citrusy hop finish for a masterpiece worthy of recognition.
- SamuraIPA : Brewed in collaboration with our sister brewery, moto-i, this single hop Imperial IPA is a send up to the brewing influences of Japan. Using only ingredients that would be available in the land of it’s namesake, this brew has no barley. Instead, we’ve opted for a beer mashed with various forms of malted buckwheat and a crucial sake ingredient known as koji then hopped throughout with Sorachi Ace. Look for a brew that is one part clean and fresh tasting, one part nutty, two parts Imperial IPA, and every part something you’ve never tried before.
- Ambree : A Belgian amber ale with subtle maltiness and a fruity ester profile from our belgian yeast strain originally sourced from De Dolle Brouwers in Essen, Belgium.
- 2015 Double Porter : German Munich malt & rich English caramel malts bring layers of toast, dark fruit, & chocolate to this year’s porter.
- Killer Dismount : Tribute to the 1998 teen/buddy classic, Meet the Deedles. This yeast driven IPA has a totally radical hop bill that includes Denali, Cascade, and Mosaic. Peachy, stone-fruit like esters from the yeast combine with the citrus and under ripe melon flavors of the hops to create a mega stellar brew.
- Citra (Single Hop Series) : Citra is the most well received in our series of Single Hop beers. After taking Gold in 2011 and 2012 at the California Craft Brew Competition, and due to its high demand with our consumers, we decided to make this a year-round style. This IPA pours a dark amber in color with an off-white head. The hop aroma is floral, with citrus notes, while the malts have a toasted barley character with some caramel. Citra‘s hop flavor is resiny, with some citrus quality that is offset by toasty malt flavors with a touch of caramel. This is a moderately full bodied beer, with a bright carbonation, and a dry finish.
- Fort Smith : Named after the town in which Rooster Cogburn lived, Fort Smith is a big and bold India Pale Ale, brewed using Citra and Chinook hops from the USA to create tropical and passion fruit aromas and a lasting, bitter finish.
- Hidden Springs / Sour Note Brewing, Cracktus : Berliner with Prickly Pear and Dragon Fruit
- Waiting Out In the Rain : Here in New England we’ve dealt with the drizzles - we’ve submitted to the storms. We’ve even created a style of beer to help us through it. This NEIPA strikes a balance between wheat and oats, giving it a full body without being overly sweet. Sip slowly and savor each passing note of passion fruit, citrus, and pine. After all, we’re all just waiting for the next storm to pass, aren’t we?
- Imperial Topless Amber : This is an amber with a punch, after 9 months of aging your first sip is reminiscent of a whiskey soaked honey cake, neither flavor dominating over the other but in a seamless balance. Light Cascade additions throughout the boil help to balance the sweetness from the caramel and honey malts, but not so much that the bitterness shines through. Although this beer stands well drinking solo, it is a perfect substitute for a Sauternes wine to pair with fruit forward desserts.
- Django Hop Bier : Belgian-style blond ale with a balanced but hop forward aroma profile. Tropical fruit, melon and citrus zest on the nose. Crafted with Wai-iti hops, pilsner and wheat malt, and a hint of citrus, this hoppy number moves to its own rhythm.
- Anyssa : Belgian dark ale w/ sourwood honey, anise, and fennel
- Grape Lakes American Wheat Ale : Brewed to be light in color with a small addition of NY Concord Grape juice, which imparts a rose like color and a balanced fruit flavor and aroma. Fermented with ale yeast for a clean fermentation profile. 
- Cosmic Cowboy : Ripe pineapple and grapefruit notes floating on a layer of pine. Satisfying, but entices you back for more. A true American IPA: inspired by the classics, but forward-thinking.
- Apteryx IPA : From the land of the kiwi comes this fruity IPA. Apteryx prominently features Nelson Sauvin hops, famous for their stamp of tropical fruit flavours and aromas of freshly crushed grapes. Fill a handle and shout one to your mate. This IPA is sweet as.
- La Rousse : Medium bodied beer with a complex structure, subtly balanced between bitterness and malty flavors.
- Beer Camp Across The World: Ginger Lager : The abrasive attitude of Minnesota's Surly Brewing Co. brings an aggressive yet refined approach to creating recipes. We came together to create this easy-drinking but complex ginger-infused lager. It's brewed with hot ginger and a pinch of cayenne to spice up the heat and then dry hopped with an inclusion of oak for a touch of woody vanilla to round out the flavor.
- Amsterdam Oranje Weisse : An ode to our Dutch heritage, Oranje Weisse is a premium, unfiltered white beer. Predominantly brewed with un-malted wheat which gives it a hazy appearance we've also added two types of orange peel, some coriander, and a touch of anise. The result is a unique flavour combination of citrus and light spice. Our signature yeast reveals a complex aroma and slight tartness on the palate. We recommend serving with a slice of orange on the side of the glass to enhance this refreshing seasonal brew.
- Sap : Our IPA brewed with Northwest American hops prominently featuring Chinook! A pungent aroma gives way to a delicate beer loaded with hop flavor. Soft notes of grapefruit, pine, pineapple, and young mango give way to a dry finish making this one hard to put down. We find Sap to be one of our most complex and intricate IPAs - We love it dearly!
- Harvest Festbier : We are starting off Oktoberfest early on the hop farm! We have been lagering this toasty, malty, nutty amber lager all summer and just had to tap it in celebration of our hop harvest! Join us on the farm to help us celebrate with this traditional, well-aged smooth amber nectar.
- Space Train : They legally wouldn't let us open a brewery unless we brewed an IPA. Five varieties of American hops give this session-ish IPA a fruity aroma and balanced bitterness.
- Love's Armor : Love's Armor is a blend of two complex, barrel-aged beers, Farmhouse Noir, a darker and stronger take on the Saison style, and Chavez, our Rye Porter. In the depths of this blend are full notes of chocolate and coffee, stone fruit and vanilla, and fainter wisps of tobacco, smoke, and worn leather. A dry tartness pervades, providing an area for robust interplay between malt-driven sweetness and microbe-induced funk. Deceptively potent and flavorful, Love's Armor is meant for sharing, and will compliment the heartiest of meals. While shimmering now with flavors of redolent of fine wine, encouraged to nature, Love's Armor will reward patience. Sante!
- Firehouse Red Lager : Our Vienna style Red Lager is deep garnet in color and pours with a thick and creamy head. It has a fruity yet low hop aroma to deliver a smooth, delicate palate that is rich with subtle hints of toffee and light caramel. This is a beer that even a light beer drinker is sure to enjoy.
- Minuteman Mild : A light and refreshing session ale with a hint of roasted malt character. If you’re not typically a fan of dark beers, this one may change your mind. At 4.0% alcohol by volume, our Minuteman Mild is light in body and is a great introduction to darker beers for those who may not usually enjoy them. Dedicated to the Minutemen of the revolution – a militia of ordinary citizens ready to fight for our freedom at a minutes notice.
- Mister Tea : Mister Tea is a blend of golden sour beers aged in oak barrels with Jade Needle white tea. This 2 oak barrel blend was infused with a little over 4 and a half pounds of tea for over an hour, however, the notes derived from the tea are quite restrained and blend in with the base beer seamlessly. Showcasing aromas of jasmine and hay with fruity notes of peach and mandarin, Mister Tea is easy drinking.
- Fiddlesticks : This hybrid brings together all of the best qualities of Belgian brewing and American hopcentricity — spicy, hoppy, dry and complex.
- It's All An Illusion : Brewed with oats, and a bit of wheat. Hopped generously with NZ Waimea and Equinox. Orange peel, tropical tones and an underlying darkness.
- Darkness In Light Pale Stout : Copper-coloured with a dark heart, exhibiting flavours and aromas of coffee, cocoa, sweet smoke, and caramel, our Darkness in Light Pale Stout is a bold and complex beer that would pair well with breakfast, dessert, nuts, and shore lunches. This is our latest educational installation in our "never judge a beer by its colour" series ;)
- Fake Friends : Northeast DIPA. Notes of concord grape, ruby red grapefruit, lemon rind and guava nectar.
- Fated Farmer: Plum : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: Build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel fermented in 500L puncheons with our Native New England Wild Culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- The White Shadow : Two row barley and white wheat malts combine with coriander and orange peel to create a light bodied beer with delightful orange flavor. Extremely refreshing. No fruit necessary. This is Cool's favorite.
- PurPec : Over two years in the making, PurPec was brewed in June 2015 in collaboration with our most neighborly brothers at Forest & Main. Brewed with the grist of an English Best Bitter and hopped assertively with American and New Zealand hops. Fermented in an assortment of wine and spirit barrels with a blend of Forest & Main’s foraged culture and our Magical saison yeast atop locally foraged mulberries and honeysuckle flowers. Blended after a year in the barrel and then conditioned in the bottle for an additional year before its release. Lively, brisk, and hardy. Big notes of purple berries, grapefruit pith, honey bush tea, and musky cedar.
- Fruit Loose : Mixed Culture Ferment Fruit Cocktail Beer
- Harlem Shake : Sometimes a beer is just a beer. Other times it's pumped full of fresh fruit, milk sugar, and vanilla. Three guesses which kind of beer this is.
- Sweet Stout : A very dark, sweet, full-bodied, slightly roasty ale that gives a distant taste of chocolate covered coffee beans. Not to be confused with the ubiquitous Irish dry stout, our version is a complex balance of flavors and that has a residual sweetness from a higher mash temperature.
- Pale Blue Sky : This Pale Ale—dry-hopped with tropical fruit packed Mosaic hops and infused with blueberries—rounds out that perfect Spring day with heaps of aroma, a touch of tart, and all the refreshment you need to complete your ideal idle afternoon.
- Backpacker Brown : Our taste for dark, malty beers and hop-forward beers join together in Backpacker Brown, a hoppy, Northwestern-style brown ale that highlights the best of both worlds. Dark malts give it a rich, robust mouthfeel and a toasty, caramel-like aroma, with a generous dose of Northwestern hops providing a tasty balance of resiny and citrus hop flavors. A beer for hikes, trails or wherever you may roam.
- Salt Of The Dog : Gose brewed with sea salt, coriander and grapefruit puree, inspired by the salty dog cocktail.
- Arco Etrusco Coffee Stout : We partnered up with Caffè Umbria again for a second coffee ale, this time brewing a stout using 150lbs of their dark roast, Arco Etrusco. The result is brew with intense fresh roasted coffee aroma, and full flavored coffee character, caramel sweetness and a rich malt finish. Using cold brew coffee gives the beer a smoother flavor and mouthfeel, avoiding any harshness and acidity. Contains wheat.
- Elephunk : Striking a perfect balance between sweet and tart, Elephunk Imperial Wild IPA showcases layers of flavor that dance on the palate in funky liquid harmony. Pungent tropical fruit aromas burst forward while oak-aged traits of vanilla, brown sugar and cedar create a slightly sweet contrast to the tart flavor. Notes of ripe pineapple and peach pie unite in this wild-inspired, barrel-aged imperial IPA.
- Triumvirate : Inside this bottle you will find the fruits of a collaboration between Rivertown Brewing Co, The Rookwood, and Smooth Ambler Spirits. A delicious blend of Wild Ale, spices, and citrus, all aged in a Gin barrel, we hope this fine beverage will call to mind the classic Gin cocktail that inspired it.
- Coifable : It’s red color makes its appearance aesthetically pleasing. Our Red Ale is brewed with loads of our favorite Munich malt and a touch of the darkest grain we have to give it its radiant red. We throw in a ton of the best German aroma hops around and strike a balance meant to please your palate. It’s appropriately bitter with an amazing aroma profile.
- Rainbow Dust : Magic in a can! Bursting with pure hoppy happiness. Bright aromas and flavors of melon, berry and tropical fruits.
- Brown Noser Brown Ale : Rich, deep copper brown with a slight haze & light tan head. Sweet caramel malt, dark fruit & raisin on the nose. Smooth, light mouthfeel. Slight coffee & faint hop bitterness.
- Malt Monsters: Wallace, Wee Heavy : The first of the Malt Monster Series to be released, Wallace, WeeHeavy is an intense, malty brew that put our system to the test. A six hour boil gives a deep rich caramel complexity with a slight nuttiness and hints of roast, complimented with a clean, smooth, warming quality that provides exceptional balance.
- Roadsmary's Baby : Roadsmary’s Baby is a traditional pumpkin ale with a Two Roads spin, its aged in rum barrels for added complexity and depth of flavor. The result is a smooth drinking ale with notes of pumpkin, spices, vanilla, oak and a touch of rum.
- DNR : This Belgian-style dark ale is the culmination of central and western European malts, Noble hops, candy sugar and a traditional Trappist yeast. Notes of dried fruit, cinnamon and vanilla make DNR a very complex experience to be enjoyed in moderation.
- Saison-Ale : French for “season,” Saisons were traditionally brewed in Belgian farmhouses in autumn to be consumed in the late summer during the harvest. Our version of this classic Belgian ale is pale gold, with a fruity and peppery aroma from the Saison yeast strain. Light bodied and crisp on the palate with a very dry finish that makes this the perfect beer for hot weather!
- River Hopper #3 Sauk It To Me : French wine yeast and dry hopping give this IPA bright, fresh fruit aromas and flavors. Reminiscent of a crisp summer wine.
- Partridge In A Pear Tree : Partridge in a Pear Tree is the first in the 12 Days/Years of Christmas Series. Brewed in the style of a Belgian-style Dark Strong Ale, brewed with our brewery-made dark candi sugar, Munich and Vienna malts. Dark brown in color, fruity and complex with a rich malt backbone. This is a simple yet immensely complex beer meant to be savored and shared with friends and family.
- Helles Other People : Helles Lager brewed exclusively with German Pilsner malt and hopped with a blend of our favorite domestic varietals. Lagered for many dark moons. Brewed in "collaboration" with our Executive Chef, Billy Braun.
- Black Creek Stout : Stout is a Porter gone mad. In fact the style was known as "Stout Porter" well into the 19th century. Using extra-darkly roasted grains means chocolate and coffee flavours are more intense, and the sweetness that one finds in Porter is lacking.
- One Pink Banana : What to do with all these pumpkins??! That was said last year and thus this beer was born! First we roasted an obscene amount of little sugar pie pumpkins in our wood fired oven. Then what started as a farm joke turned into a reality- we roasted a huge squash called a pink banana and threw the whole thing into the mash with the pumpkins, and lots of oats and dark roasted malts. After the taxing brew day, we pitched a big Belgian yeast strain into the wort to ferment before transferring to American oak barrels from a Oregon whiskey distillery. After aging all summer, we bottle conditioned a limited amount in our signature cork and cage bottles, and charged the rest with Nitro for an extra silky smooth mouthfeel. The result is a big beer with big flavors and an uncomparable mouthfeel. Strong whiskey and oak aromas yield to the thick body and dominating roast and chocolate flavor. Not too late in the finish, there's the roasted pumpkin and squash! Celebrate the season with this hearty winter brew.
- Duplex : A blend of aged dark beer, which spent 12 months in a barrel, and light brett beer, which spent 10 months in a foudre. Finished on dry-hops. 
- Genesis : Genesis is brewed with over 200 lbs of Mango, Papaya, Guava and Pineapple and aged for 6-12 months in a variation of white wine barrels. Each batch is artfully blended to accentuate the tropical and wild nature of the yeast and fruit.
- Griffin's Bow : From the aroma and notes of sweet honeysuckle, pineapple, and grapefruit, to richer hints of burnt sugar, and toffee, this intriguing brew is full of complex flavors. The distinct character of toasted oak adds depth and contrasts the light fruit sweetness. This unique take on a barley wine ale surprises with its smoothness and balance of fruit, hop citrus, and warmth.
- Vanilla OP Porter : Our luscious and silky smooth OP Porter infused with whole vanilla beans. A complex blend of dark malts and real milk sugar creates the bold flavors of dark roast coffee mingling with farm fresh cream. For the stout and porter lover in each of us, OP is a knockout.
- Hoppler Effect : Brewed for our 7th Anniversary. A celestial array of hops fill this expansive West Coast-style double IPA. Flavors and aromas shift between tropical, dank, citrus, pine, and bright fruit.
- The Dogfather : The Dogfather is one of the biggest brews we have made. Weighing in at a hefty 11% percent, the Dogfather has 7 malts and 4 different hops giving it a complex flavor profile.
- Winter Warmer : This strong dark amber beer is brewed with spices evocative of the holiday season. Its warming character makes it a great accompaniment on cold winter nights.
- Augusta Tripel : Belgian yeast gives Augusta Tripel it’s signature taste and fruity intensity.
- Boom Town Brown : The nine grain American brow ale has a complex, malty profile and a subtle British hop influence. Traces of nut, chocolate and caramel are woven throughout this approachable version.
- Deviator Doppelbock - Bourbon Barrel Aged : Cameron’s Deviator Doppelbock Barrel Aged is a unique brew that is based on our previous award-winning Doppelbock releases. Doppelbocks are Teutonic-inspired dark lagers that feature imported German malt and were served by the Bavarian monks during times of fasting as “liquid bread.” This version of Cameron’s Deviator Doppelbock has been aged for six months in Kentucky bourbon barrels. This process lends to a smooth, toasted vanilla notes, layered upon the complex malty body.
- S'toutünstout : This imperial stout was infused, cold brew style, with green coffee beans that were first barrel aged in bourbon barrels for several months and then roasted. Aromas of coffee, cocoa, berry fruits and a hint of bitterness will linger at the party that is happening on your taste buds!
- Lovibonds Dark Reserve No 1 : Barrel aged Porter; Henley Dark recipe, but stronger and aged in whiskey barrels for 6 months. Only 500 bottles were produced.
- Mango : Light-medium bodied, crisp and clean with low carbonation. It is slightly sweet with tropical fruitiness all around. Mango notes to begin with, then finishes off with a malty flavour. A blend of fruit, grain, lemon and wheat. Simply put, it's a holiday in a pint glass!
- Miscommunication : New England style Farmhouse IPA with an earthy, citrus aroma leading to notes of Meyer lemon, tropical fruit, and dew covered pine needles. Underlying spiced, peppery, and funky characteristics that contribute to a dry finish with lingering bitterness.
- Mo' Nelson : Mosaic And Nelson Hops Are Two Of Our Top Faves. This Beer Is Packed With Fruit From These Killer Hops. Enjoy As They Capoeira Around Your Dome. Cantaloupe, Gooseberries, Blueberry And A Slight Touch Of That Dank Diesel Character That Only Our Good Friend Nelson Can Bring To The Table.
- Seven Card Stud : An ultra-complex hop profile is highlighted by papaya and tropical fruit with a slight peppercorn spiciness in this Imperial IPA. Seven Card Stud is well-balanced and its strong alcohol quality blends nicely with the hops. Deep toffee notes are accompanies by clean floral aromatics. This beer will give you the courage to ante up for another hand.
- 3rd Street Pale Ale : Straw like in color with a strong white head, with aromas of Citra and Mosaic hops exploding from the glass. Strong citrus and grapefruit notes accent the palate with slight hay and yeast notes towards the finish. Crisp, refreshing, and easy to drink. A great California Pale Ale.
- Hops N' Roses : This golden ale was aged in oak barrels with Brettanomyces and a few choice flowers to give it a complex and floral aroma. Tart, tangy and full of flavor. Straight from the Captain’s cellar to yours. We hope you enjoy.
- Factotum Dry Stout : Roasted flavors and a dry mouthfeel, this dark ale might be described as a lighter version of that famous Dublin beer. Perle hops add a hint of mint.
- Planet Bean Coffee Stout : Planet Bean Coffee Stout is smooth, dark, full-bodied, and satisfyingly rich. Coffee beans expertly roasted at Cumberland County Coffee Company give this stout its powerful aroma and pronounced fresh-brewed coffee flavor. Your only problem with this tempting brew will be resisting the urge to pour it in your coffee mug before work!
- Petit Blond : This pale ale is a lighter version of our Belgian blond, having been fermented with the same yeast strain, but given an American hop twist to provide additional grapefruit, floral and spicy notes to the flavour and aroma. It has been dry-hopped with Cascade and Crystal hops giving it that familiar hop character we so often crave and find in the finest of IPAs.
- Bayside Blonde : The first release from the Assawoman Bay Brewing Company. Bayside Blonde is a pale ale that balances light malt notes with refreshing hop bitterness. Look for hints of sage and tropical fruit like pineapple, cucumber and mint.
- Sabbatic : This German-Style Strong Amber Lager was socked away in a French oak Cabernet barrel for one year with Lactobacillus bacteria. A soft acidity punctuates the complexities leaving a medium-long slightly vinous finish. Only one barrel produced.
- Brooklyn Winter Lager : Brooklyn Winter Lager is our answer to the heavy ales and stouts that emerge in wintertime. Though dark in color with a sturdy presence, our Schwarzbier-inspired lager layers notes of chocolate, roasted barley, and dark bread into a 5.6% ABV frame that finishes surprisingly light and pleasantly dry. Winter means different things depending where you live, but Brooklyn Winter Lager is ready for any chill.
- Nightstalker : This Belgian-style dark wit was conceived and brewed by our Executive Chef, Jeff Lang, in honor of 5 years of loyal service. A wheat beer brewed with coriander and Curacao orange, fermented with our house Belgian strain of yeast. We are intentionally allowing this beer to drop to bright and reveal it’s beautiful color as time goes by.
- S'more Stout : A complex stout brewed with graham cracker, chocolate, marshmallow, and smoked malt. The rich hearty flavors seem to take their turn as the subtle graham aromas lead pleasantly into sweet flavors of marshmallow cream covered in milk chocolate. All is followed by a slight lingering flavor of smoke when you add a flaming marshmallow garnish, which is strongly encouraged.
- Yakima Glory : According to the brewery's website: "A dark IPA".
- Juniper Rising Rye Saison (Payette Collaboration) : Golden hued, light bodied Belgian Saison with fruity esters and subtle earthy aromas from the addition of Juniper. Around a pound of hand picked Oregon Juniper Berries were crushed and added to the boil. Fun fact: they're the same ones Bend Distillery uses in their Gin!
- Velvet Rooster : This beer is a Belgian Tripel that lives up to its name. Smooth and carefully crafted like a fine velvet painting, but with an 8.5% ABV this bird has some spurs! The beer pours a golden straw color with brilliant clarity. Topped with a lofty pure white head the beer has a wonderful floral nose, with subtle fruit notes. The taste is clean and crisp, with subtle fruit notes and a touch of candy like sweetness. The beer has a Champagne-like effervescent that provides a crisp offset to its sweet finish. While a pint glass is always nice, Velvet Rooster would also be at home in a tulip glass or Champagne flute.
- Oatmeal Cream Stout : Flavorful, aromatic, satisfying…things you're probably not used to saying about the Gluten-Free beer in your fridge. Think again! Steadfast Oatmeal Cream Stout goes where no Gluten-Free beer has ever gone before—into complete darkness. Brewed with Certified Gluten-Free oats which are roasted by hand, this midnight black ale lives where quality, flavor and roasted satisfaction intersect.
- Athanasian : Athanasian Barrel Aged Belgian Tripel derives much of its subtle fruity notes from the distinctive yeast strain and has layered complexity of honey, vanilla, and caramel from fermentation in Bourbon oak barrels. Bottle conditioned with Brettanomyces, corked and capped for expected earthy, stone fruit notes with extended aging. Pour slowly and enjoy in a tulip glass.
- Black IPA : All the hoppiness of an IPA with the addition of dark roasted malts to create a balanced and flavourful beer.
- City Steam Lunatic : Just as the name suggests, you don't want to anger this beast of a beer. Lunatic is the first handcrafted batch put together solely by our Assistant Brewmaster, Andrew. He did not disappoint! This is a ale drinker's ale, guaranteed to put some hair on your chest. (Sorry, ladies.) If Chuck Norris could cry, his tears would be made of Lunatic. Technically an American Strong Ale, this beer finishes as a cross between a barley wine and a triple IPA. You may not be used to enjoying this quantity of hops from such a dark and robust ale, but trust us- it's worth the price of admissions.
- Patriot Ale : This Blonde Ale is smooth, easy drinking beer with a light body, and has the lowest alcohol content of our offerings. With light fruity esters, a touch of malt character, and just enough hops to keep things balanced. This is a very approachable selection for those new to craft beer.
- Autumn Maple - Midnight : The nights are getting darker and autumn is in its element. This variation of our fall seasonal brings both forces together for a limited time. Midnight Autumn Maple is a dark imperial ale brewed with midnight wheat, cinnamon, nutmeg, allspice, vanilla, maple syrup and a whole lot of yams.
- Dark Heart Chocolate Cherry Porter : Dark Heart Chocolate Cherry Porter is MBBC's version of love in a glass. We used 9 different grains to brew a strong and robust-style porter. Then we added cherry puree, cocoa nibbs, and whole Madagascarian vanilla beans. We used German and our own homegrown Sunbeam whole hops to balance the sweetness nicely. ABV clocks in at 6.5%. Love and decadence in time for Valentine's Day. *Ask your server for chocolate shavings and a cherry!!*
- Samuel Adams 3 Weiss Men Bourbon And Honey : A longtime Boston Brewery favorite, this German-style Wheatwine is brewed with the famous Weihenstephan yeast strain, aged in bourbon barrels, and back-sweetened with a touch of honey. This beer exhibits big tropical fruit character, classic clove and banana notes, and finishes with a touch of heat. 11.3% ABV
- Old Pine : This is our modern take on a “old school” West Coast IPA, harking back to the resinous hop bombs of yesteryear! Sweet pine resonates on the nose along with hints of fresh peeled citrus. The medium body hits the pallet in a way that allows a full bouquet of tangerines, grapefruit and oranges to come through. The beer finishes with an appealing, resinous bitterness that leaves you wanting to drink on.
- Cascade Mouton Rouge : "This Northwest style sour red is a blend of barrels with up to 16 months of oak barrel lactic fermentation and oak barrel aging. Dark fruit, sour, oak and funk flavors sweep over your taste buds like an incoming tide. 7.5% Abv, 9 IBU" - Raccoon Lodge website
- Sergeant Schultz : The grandfather of Weizen beers. This amber, full-bodied ale is made with 45% wheat for a slightly fruity malt flavor. The yeast contributes banana and clove flavors. Chocolate wheat was also used to add Choclate flavor.
- T-Shirt Cannon : T-Shirt Cannon uses Vic Secret, Mosaic, Idaho 7, and plenty of oats to layer complex fruit character with an unmistakably soft mouthfeel. Cantaloupe, peach, and herbs.
- 10th Anniversary Barrel-Aged Anarchy : To commemorate 10 years as The Dark Beer Specialist, Duck-Rabbit’s brewers hand-selected the very best of the barrel aged seasonal brews they had been hoarding in the Duck-Rabbit cellar. These included 37 bourbon barrels (and one red wine barrel) in which Duck-Rabbit had aged Dopplebock, Baltic Porter, Wee Heavy Scotch Ale and Rabid Duck Russian Imperial Stout. The oldest of these beers went into barrels in 2008, and the youngest had touched wood for just over 7 months. The brewers painstakingly blended these beers to produce a one-of-a-kind unrepeatable masterpiece. Rich with dark malt flavors infused with oak, coconut, vanilla and leather, this is a beer for the serious enthusiast. It’s only available in North Carolina and it will never come around again. The 10 year anniversary only happens once. Try some before it’s gone!
- Baron Corvo : This strong provisional farmhouse ale is fermented in one of our 45 hl French oak foeders with our house mixed-culture of wild yeasts. Amber-hued, vinous and malty with yeast-derived fruit and spice.
- Field Day Citrus Pale : Brewed with Mosaic hops along with zest from grapefruits and organic Sicilian lemons, this juicy, zippy Pale Ale will be a perfect companion for sunny beer gardens, backyard barbecues, and (naturally) incredible summertime music festivals.
- Dry Irish Stout : Our Dry Irish Stout is brewed with a lighter ABV and dry finish, producing an easy-drinking dark beer that’s full of nutty, roasty malt character with hints of toffee, dark chocolate, and coffee. Served on Nitro for a fuller body and creamier mouthfeel.
- Rye 95 : Two Roads Brewmaster Phil Markowski has taken a road less traveled with this rye-based version of a classic Belgian Tripel. There are unique twists and turns at every corner that give our spring seasonal its unique, fruity complexity. The beer is characteristically spicy with a dry flavor and aroma thanks to the rye. The addition of American-grown Mosaic and Amarillo hops add notes of white wine, blueberries and fruit punch. We also used a noticeably fruity/spicy yeast strain that adds characteristics of pear and clove. So take the next exit for a fruity, spicy flavor and intense hop character.
- Permutation Series #30: Double IPA with Galaxy : Permutation Series #30 leads with a strong nose of melon, mango, and tangerine. A fruit forward palate of clementine, cantaloupe, subtle lime, and pithy grapefruit rind is balanced by a lychee finish from a new fermentation approach. A full mouthfeel and moderate carbonation round out Perm 30 as a distinctly satisfying Double IPA.
- Thirst Light : This golden 3.4% bitter has been inspired by our very popular Spring beer Thirst Blossom and a growing demand for lower strength beers. We use New Zealand hops which give a beautiful fruity flavour and aroma.
- Olmec Mexican Stout : This American Stout has rich dark chocolate up front. Cinnamon, guajillo, and spicy habanero peppers were added to emulate bold Mexican style hot chocolate. Vanilla Beans help accentuate the chocolate notes.
- L'Enfer Du Nord : L'Enfer du Nord, the Hell of the North, the Queen of the Classics, Paris-Roubaix is one of cycling's oldest and toughest races. This inky black imperial stout is loaded with dark kilned malts for great notes of chocolate and coffee, bittered with a generous helping of pure hop resin and finished off with plenty of citrusy American hops.
- Red Racer Winter Ale : Big, malty, and brewed to keep you warm through the long dark days of a west coast winter. This complex amber ale has vanilla and maple syrup undertones, with a warm, spicy finish. Best enjoyed when only partially chilled.
- Sol Juice : Dry and fruity golden farmhouse ale with coriander and grapefruit zest aged in oak barrels. This beer spent four months in third-use American oak bourbon barrels with wild yeast and bacteria. The barrels had been used by a distillery. Then, the barrels were used by a local craft brewery that is quickly becoming known for big chewy imperial stouts. Finally, we secured these barrels and aged our favorite little grissette for four months. The oak and vanilla notes from the wood and the previous contents of the barrels come across on the palate and mingle with the spices and citrus zest creating an altogether truly unique experience.
- Black Lager : This lager is dark like a porter or stout but lacks much of the roasted flavors associated with those ales. Also known as Schwarzbier, our Black Lager has some chocolate malt to add color, aroma and flavor. We add a special malt called de-bittered black which adds dark color without the harsh roasted flavors typically associated with dark beers. Goes great with burgers and anything else off the grill.
- La Bouche Floue : Our ‪Belgian‬ dark strong ‪‎ale‬ brewed with vanilla bean, molasses cookie, red licorice goodness.
- Soleil Saison : Belgian Farmhouse Ale - Highly-attenuated, 6.5% abv, hazy, straw-colored Belgian farmhouse ale. Fruity, spicy aromas and complex tropical fruit notes are the result of an extended warm fermentation time. Tart and crisp on the palate with a dry, slightly peppery finish. 23 IBUs - 6.5% abv
- Short Brown : A light bodied dark ale made from the second runnings of Lisa's Chocolate Stout. Lightly hopped with Willamette and Golding. Short Brown has a creaminess thanks to nitro and milk sugars and oats. Sessionable. For tasting only.
- EBC Mk. II : Our second anniversary ale is a special one-time release batch of beer brewed for the occasion. The 9.5% doppelsticke altbier has prominent caramel and toffee flavors with hints of chocolate, raisin, cherry and biscuit. For those that had last year’s doppelsticke anniversary alt, this version is slightly darker with more chocolate flavors and is not oak aged.
- Slip'n'Slides & Fireflies : Hopped with Mosaic, El Dorado, and Topaz and fermented on an insane amount of passion fruit puree. Big tropical notes with dank finish.
- Black Diamond Brandy Barrel Grand Cru : Our Belgian-style dark ale has been taken to the next level by careful blending and aging techniques.
- PB & Thursday : Check the forecast, down a cup of coffee, grab your backpack and pack something special to enjoy later on. Might we suggest this bottle? It is Thursday, after all. PB & Thursday – a peanutty variant of Black Tuesday. It won’t stick to the roof of your mouth, but it will impart layers of peanut butter character and bourbon-laced fudge notes to our storied imperial stout.
- Pull Start : Light and refreshing, our session ale is dry hopped with German Hüll Melon hops. This imparts bright notes of ripe fruit, cantaloupe, and honey dew melon for the ultimate thirst quenching beverage.
- Some Beach Brown Ale : This beer is dark amber, brown in color. Nutty aromas with caramel and toffee and mild bitterness. Flavors match the nose along with a mild chocolate. Brown sugar sweetness with balancing bitterness. Malty character but light in body with crisp carbonation. 5.5% ABV, 23 IBU
- DHS - Dry Hopped Pinot Gris Saison : We took Slow It Down (saison) and added some local pinot gris (from Muddyboot Winery) and then dry hopped it with German Hallertau Blanc. The fruit added a light pear and apple with a touch of acidity, while the hops add a unique lemon zest and fresh crushed herb component.
- XPerimental Series - Batch #12 : Our XPerimental Series is the ultimate playground! This New England style IPA with its 7.0% ABV features Australian Vic Secret hops that have blended with a variety of domestic hops resulting in a complexity of citrus, pineapple, and melon notes. 
- Quality Beer : Pours bright Golden in color, with fluffy white foam. Sweet malty aroma cut with hints of dank minty grass and grapefruit peel. Bready flavor on first sip, followed by herbal fruit and a crisp dry finish. Brewed with Pilsner malt and a touch of Munich. Fermented this ale cold with American ale yeast. Hopped with two classics: Saaz & Cascade.
- Hakuna Matata IPA : Tropical IPA brewed using hops from the US, UK, Germany, Slovenia, and New Zealand. The result is a much more balanced, less bitter but more flavorful Dank-style IPA with hints of Mandarin Orange, Pineapple, Grapefruit, and Elderflower.
- Needsaweek : Needsaweek is a new 8.6% DIPA featuring a blend of Citra, Enigma, Vic Secret, and Kohatu hops. Incredible tropical fruit aromatics and flavor profile. Despite the name, we think it's tasting v good right now, but you can be the judge.
- Nabob 10th Anniversary IPA : This is a spiced IPA using 12 lbs of fresh ginger root in the whirlpool. It was produced to celebrate the Nabob's 10 year anniversary, and designed to compliment Indian food dishes. Golden in color and moderate malt flavor. Hoppy and Spicy. Flavors/aromas are ginger, lemon, passionfruit, pine, citrus.
- Wild West Coast IPA : If you like hoppy beers, this ale is for you! Reminiscent of the hop forward beers from the west coast, this IPA holds its own. 2 Row and Vienna malts provide the stability needed to add copious amounts of Simcoe and Citra hops. Grapefruit and citrusy flavors will punish your tongue with every sip.
- Blonde Moms : You've had our blonde ale, "Blonde Dads." Now we introduce it's counterpart, "Blonde Moms." Highly crushable, simple and fruity from the addition Apricot. Wheat and Pilsner Malt. Summer beer! 
- Catherine's Wood : Catherine II, the 18th century Empress of Russia, is said to have been the inspiration behind the creation of the Imperial Russian Stout, an intensely flavored, robust, dark ale with a noticeable alcohol presence.
- Purple People Eater Coffee Porter : This dark beer drips of coffee aroma and taste. Complimenting a desert or chilly afternoon well, the coffee porter is brewed with a locally roasted bean. Zeke’s coffee in East Liberty is the purveyor or the bean that creates the back for the light reflection of US Kent Golding hops. Brewed with toasted oats and heavily roasted malts, the drinker will know they are consuming a full-bodied brew. This is a fiercely local brew that does the coffee name proud.
- Lions Summer Ale : Like the twin peaks that shine above Vancouver’s coastline, Lions Summer Ale beams with the bright, refreshing tastes of summer. Lively tropical fruit notes balanced with an easy-going personality are perfect after a paddle on the water, a hike up to your favourite lookout or wherever your next sunshine adventure takes you.
- Drakkar : Features a malty, near syrupy base combining flavours of dried fruits with well-roasted grains. It is aged with oak chips which add a fine, slightly vanilla, woody note.
- ISA (India-Style Session Ale) : India Session Ale... A brand new style from the twisted minds of 10 Barrel's brew crew. Deep gold with orange highlights. Big Citrusy aroma full of grapefruit and tangerine thanks to the massive dry hop! Clean, crisp maltiness with a hint of sweetness. Pleasant, balanced bitterness as a result of the loaded late-kettle hop addition.
- Dead Rabbits Irish Extra Stout : Our dry, roasty, bitter chocolate-like stout, fronting an espresso like flavor with boldness and smoothness for anyone loving the dark side.
- Cold Spice Habañero Rye : We've layered the spice of Rye malt, peppery-spicy aromas from Saaz-type hops, and an infusion of habañero peppers for a building, lingering intensity. A tea is made out of the seeds, along with a little bit of skin - about 1/8 lb per keg. Bearing even a slight strawberry fruitiness, this kicker manages to balance the heat with the sweet.
- Invisible Hand: Amarillo : Our Brettanomyces Table Beer dry hopped with Amarillo. Notes of lemon/lime zest and black pepper backed up by a medley of tropical fruits.
- White Birch Oak Aged Special B : This Belgian Style Dark Ale was brewed during a demo with Jasper’s Homebrew Shop. Made with an extra helping of Special B, a dark specialty malt. The beer was then aged on oak chips for a smooth finish. A true example of the homebrewers spirit!
- M.C. Broconut : Broconut with grapefruit and orange.
- Apricot De Brettaville : For this special release, we set out with the goal of making a beer where every ingredient and process contributed to one ambition: creating layers of apricot flavor. Brettanomyces yeast creates tropical and stone fruit flavors in the barrel, which we matched with a small mountain of San Joaquin Valley apricots and finished with a delicate dry-hop of aromatic hops. From the yeast, to the fruit, to the hops, every aspect of this beer adds apricot flavor and aroma – resulting in a delicious wild ale.
- India Pale Lager : This Session India Pale Lager is comprised of top quality German malts and a fruity white wine like hop known as Hallertau Blanc. It is a delightfully clean and aromatic thirst quencher for a hot summer day on the patios.
- Boysenberry Hibiscus IPA : Hazy fruit tones and resinous hop notes are followed by floral and citrusy bitterness and a dry, zesty finish.
- Brabant : Brabant is a 8.65% abv dark unfiltered beer, fermented entirely with Brettanomyces and aged in Zinfandel barrels for nine months.
- Aye SB Extra Special Bitter : A traditional English style, brewed with all english malts yet fermented with American yeast. Dark copper in color and nicely hopped with an intense malt backbone.
- Oktoberfest Lager : Break out the lederhosen and get ready for some good old Bavarian Gemütlichkeit…Oklahoma Style. Marshall Brewing Company’s Oktoberfest is a beautiful deep cooper-colored lager highlighted by a complex malt flavor, elegantly balanced by the bittering of noble German hops. This beer is extremely smooth and highly drinkable.
- Coffee Stout (Brewmaster Series) : Long Trail Coffee Stout is made in cooperation with the Vermont Coffee Company using 100% certified fair trade, organic coffee. Brewed with their freshest, Dark Roast coffee, Long Trail Coffee Stout offers a rich coffee flavor complemented by a beautifully full head.
- OG Great (Berry Blend #1) : A fruited gose brewed with Indian coriander, Mediterranean sea salt, Himalayan pink salt. Fruited with boysenberry, blueberry, and raspberry. Magenta in color, GREAT features tart berry notes, and slight saltiness.
- Projector Readymade : This Imperial IPA projects an array of multidimensional hop flavor and aroma. Simcoe offers piney fruit while Centennial delivers a squeeze of lemon atop bright the tangerine citrus of Galaxy, laid upon a field of grassy Sterling.. and then some hippie comes by with a dank bag of Columbus.. This heady combination is backed by an extremely lean malt body thanks to the addition of flaked rice.
- Thor's Hammer Barley Wine : Matured for nearly a year, this award-winning barley wine is mahogany in colour and crafted from fine barley malt exuding deep, rich notes of dried fruit, plum and candy with a walnut ester.
- Kuhnhenn Chubbs Peterson : A Double Rice Imperial American Brown Ale? That’s right. We took the basic concept for our award-winning DRIPA and changed it up a bit, with more of a focus on toasty, crispy, nutty dark malts, adding an entirely new dimension to complement the crisp, dry cereal notes of American long-grain rice. An intense amount of dry-hopping lends orangey-citrus notes to nicely balance the mild chocolatey and nutty notes of the malt. Clean and crisp. Why Chubbs Peterson? Why not? It’s All In The Hops..!
- Emperor MoMoCoe : Emperor MoMoCoe is the strongest celebratory version of one of our most beloved pale ales, MoMoCoe. Brewed with Red Wheat and Hopped entirely with Mosaic, Motueka and Simcoe. A nod to our strange and beautiful beginnings. Notes of Citron Flesh , Fresh Cut Grass, Ripe Mango, and Dark Berries.
- Belgian Golden SA : Fruity and complex aromas and flavors. The high attenuating Belgian yeast strain also adds a spicy characteristic. Medium body with a dry finish.
- Tropical Torpedo Tropical IPA : Inspired by island life, we created an IPA completely disconnected from the mainland. We used our one-of-a-kind Hop Torpedo to deliver an intense rush of hop flavor and the lush aromas of mango, papaya, and passionfruit with every sip. Enjoy our tropical twist on the American IPA.
- Angel's Nectar : A German-Style dark wheat Ale modified with American Hops. Huge banana notes and aroma due to Hefeweizen Yeast. Does not contain any banana.
- Black Hand : Brewed with cocoa husk and a complex combination of roasted malts, this bold stout is rich and full bodied with layers of chocolate and espresso.
- Cerveza Nacional De La Capital : Cerveza Nacional de la Capital is a salute to our Latin American neighbors and their influences on the American beer world. Affectionately known as Cerveza Nacional, its our take on a dark, malty, creamy, smooth and slightly roasty Vienna Lager. Salud!
- Tartan : This classic ale was brewed with the spirit of Scottish tradition, just like the unique Tartan Scottish plaid that represented one\'s own clan in the highland country. Using an old technique used before modern malting, we made a mash of all organic British pale malt with a touch of burnt barley. We separated the potent sweet first runnings and caramelized them for hours into a thick sticky syrup while the full size brew boiled away with Nugget hops. Near the end of the boil we combined this dark red caramel syrup back into the main kettle to contribute both its dark color and rich malt flavor. Fermented with a Scottish origin ale yeast for distinctive fruity flavors, this burnt golden strong ale is elegant in its subtlety- easy drinking yet fulfilling, malty yet dry, rich but balanced.
- The Earl Of Biggleswade (2015) : Dark Lord aged in a bourbon barrel with cardamom, coriander, and cacao nibs.
- Trebuchet : Part of our Ingenuity Series of Barrel-aged Inventions, Trébuchet® was created with Ladyface’s Chaparral Saison brewed with honey from bees foraging on the local mountain sage scrub habitat. Aging in California Sauvignon Blanc barrels with Lactobacillus for over a year, created a complex sour character with integrated honey, green apple and tannin. This golden-hued farmhouse ale finishes very dry, lingers long with classic Belgian yeast character, and shows homage to the French-Belgian brewing heritage and its traditional fermentation techniques.
- Lafayette Brett (White Labs Saccharomyces Trois) : Until May 2015, Lafayette Brett was brewed with White Labs WLP 644. Given that 644 was reclassified as wild Saccharomyces instead of Brettanomyces, it seemed a bit disingenuous to keep calling it Lafayette Brett if we kept using that yeast. The next several batches of Lafayette Brett will be brewed with various Brett strains to dial in the specific fruity Brett profile we are looking for. Bottles from each batch will be labeled with the specific Brett strain(s) used.
- Freak Parade : We packed this beast with an absurd amount of Vic Secret, El Dorado, and Mosaic hops and the result is a juicy citrus, melon, and stone fruit burst of pure radness wrapped in a pillowy soft bundle of awesome.
- Small Bird Series: Skimpy Sparrow : Our newest hoppy American pale ale, Skimpy Sparrow, is the latest edition in our "Small Bird Series" of lower ABV offerings. The nose is an intense, complex fusion of pineapple, grapefruit pith, and woodsy hop aromatics. Citrus rind, grape jam, and lemon fill out the flavor profile, with a firm and long-lasting bitterness. Very dry and effervescent, light to medium bodied.
- Cowcatcher Milk Stout : We welcome the re-release of Cowcatcher Milk Stout, named in tribute to the railroads that surround our brewery. Originally brewed as a limited edition 10-barrel batch, resounding appeals convinced us to offer it from January through April. This surprisingly sessionable brew is as black as night. With one deep whiff of its thick tan head, you’ll immediately catch the aromas of rich cocoa and dark-roasted coffee beans. Swish it around your palate to savor its full-body and smooth mouthfeel. It boasts a warm pumpernickel-bready flavor and finishes with a touch of bittersweet chocolate. Enjoy this beer with dessert - brownies, chocolate chip cookies, or any rich, sweet treat.
- Parade Of Souls : Parade of Souls is a thick and rich black beer with the roasted flavors of a stout but the unique flavors created by Belgian yeast. It is the heaviest in body of our beers and meant to be drunk slowly while appreciating the complex flavors created by a complex malt bill and long maturation times.
- Hoppy American Wheat (Brewhouse Rarities) : The experimental doesn’t always require using obscure ingredients or unearthing ancient beer styles. For our Hoppy American Wheat Ale, the goal was to develop a wheat beer that was not dominated by the yeast strain. Instead, this refreshing, late summer release has dominant tropical fruit hops notes of mango, papaya, and pineapple alongside the creamy wheat character we all know and love.
- No. 80 Dark American Lager : A light bodied dark Lager with a thick creamy head, brewed with caramel malts and roasted barley, accentuating its semi-sweet chocolate, caramel, and coffee notes. If you're a dark beer drinker, this beer is for you.
- Never Know : Never Know is the next variant in our fruited Never Series. Clocking in at 4.9%, we completely bombed this one out with tons of(literally!) pounds of pineapple purée. This one is insane. It literally just tastes like carbonated pineapple juice.
- Prolegomena : Prolegomena is our interpretation of the Flanders Red Ale - the Burgundy of Flanders, Belgium. In April 2011, we brewed out version of this classic style with the help of our friend Will Meyers. The beer has aged gracefully in oak barrels for more than two years, all the while slowly developing acidity and various layers of complexity and from the introduction of wild yeast and bacteria.
- Hard Hat : Brewed with oats, Simcoe, and Citra hops. Dry with hints of dark chocolate, a fine roasty flavor and a wonderful hint of bitter citrus.
- Entrenched IPA : An Illinois style IPA that focuses on malt flavors as much as hop flavors and bitterness. Dry with just enough light German caramel and Munich malts to balance the hop bitterness. Huge hop additions late in the kettle boil and during dry hopping create a bouquet of floral, lemon, citrus and exotic fruit aroma. Not a West Coast over-hopped arms race, not a trendy hop showcase, just an honest beer that reflects what we love about IPA's and the Midwesterners who drink them. Goes great with everything except brussels sprouts, because nothing goes great with brussels sprouts. 
- Scratch Beer 199 - 2015 (Amber Ale) : Typically regarded as a “catch all” beer style, Amber Ales have explored one end of the spectrum (sweet, malt and toasty) to the other (floral, bright, hoppy). For Scratch #199, the experimentation with this style continues. We’ve selected a pair of underutilized hop varieties – Lemon Drop and Zeus – to create a flavorful Amber Ale rife with zesty lemon and shades of herbaceous spice and earth. Backed by a hefty malt bill featuring Dark Munich and Vienna, expect a deep, saturated amber hue and traces of dark fruit, molasses and fresh biscuits.
- Ish : Ish was brewed in collaboration with Monkish Brewing Co. of Los Angeles, California. It was brewed using 95% #Maine grains including malted barley from Aroostook county and organic triticale, an esoteric grain that is a hybrid of wheat and rye, in addition to some specialty malts for color. The dark wort went straight from the kettle to oak barrels where it was fermented with #brettanomyces, #lactobacillus, and #saison yeast. Slightly over a year of barrel-aging, the beer picked up tons of oak character, developed a beautiful acidity, and is busting with juicy dark fruit flavors. 
- Moondoor Dunkel : Supple & crisp, this delectable dark lager has a medium body which starts with a chocolate roast and ends with ordering it again.
- Belgian Blonde Ale : Our Belgian Style Blonde Ale is brewed with Montana 2-row malted barley, white wheat malt, flaked wheat, a variety of crystal malts, and Willamette hops. This beer owes its unique flavor and aroma primarily to the yeast strain. It has a malty sweetness under the layers of Belgian complexity.
- Plans : This sour fruited ale was brewed in collaboration with our friend Tom, from Big Island Brewhaus. This beer is part two of a three-part series and includes Amarillo, Cascade, and Citra hops followed by additions of cherry and grapefruit. The tart cherry accentuates the dry grapefruit, leaving a lingering bitterness on the tongue. Full of grapefruit pith, oak, and funk, with a very subtle dry cherry finish.
- Barrel Aged The Jones Dog : The first batch of Imperial Jones Dog we ever brewed found its way into some Heaven Hill and Buffalo Trace barrels for 10 months and we are sure glad it did. The imperial milk stout brewed with cacao nibs and vanilla beans came out of the barrel with wonderful notes of bourbon, oak, barrel char, vanilla, coconut, dark fruits and dark chocolate. Delicious now or good to cellar in a temperature controlled environment.
- Airdale Dark And Stormy : Airdale Dark & Stormy, is an American Imperial Stout. This beer starts with a pleasant aroma of coffee and cocoa. A gourmet flavor of bittersweet chocolate surrounds the tastebuds and melds with the full-bodied beer to make this sensation last and last. Not too dry, not too sweet, Dark & Stormy blends the two into a wonderful semi-sweet taste. The high alcohol imparts a comfortable warming feel, but is perfectly balanced with the flavors and aromas. A nice coffee bitterness lingers on the finish, enticing you to take another sip.
- Brooklyn Local 2 : Here in Brooklyn we’ve combined European malt and hops, Belgian dark sugar, and raw wildflower honey from a New York family farm to create Brooklyn Local 2. Our special Belgian yeast adds hints of spice to the dark fruit, caramel, and chocolate flavors. After 100% bottle re-fermentation, the beer reveals a marvelous dry complexity, enjoyable by itself or at the dinner table.
- Torshälla Dubbelbock : Münchner makt with small amounts of carared, dark caramel and chocolate malt. 
- Hoprodisiac : When Hoprodite isn’t enough, step up to its big sister, Hoprodisiac. She’s a DIPA dry-hopped with 6.2 pounds per barrel of Citra and Mosaic. Bursting with orange, grapefruit, pineapple and papaya flavors, this beer is bound to please the lovers of all things juicy.
- Wild Sinister Kid : Our Belgian Strong Ale aged in oak barrels and fermented with our native New England yeast culture. Appearance is opaque reddish-brown with mahogany lining and fast fading off-tan head. Wild Sinister Kid emits aromatics of dark fruit, tart berries, leather, and vanilla. This dark, funky strong ale displays complex flavors of sour cherry, toffee, fig, dates, and molasses; finishes dry with light to medium body. 
- Double Bogie : Brewed using the same grain bill and 5 hop schedule as its little brother BOGIE (only a boat load more). This American Style Double IPA is a beast. Deliciously huge piney and grapefruit citrus flavours, with enough booze and malt to provide a fair fight on balancing this epic ale.
- Dorfbier : The Dunkel style is what many refer to as the original beer of Munich and the surrounding countryside and villages (Dorf in German) of Bavaria. This everyday beer ranges in color from amber to dark brown, depending on the amount of Munich and roasted malts used. Ours is a deep reddish brown with a rich malty flavor. The sweetness of the malt is balanced by the use of another Bavarian friend…the Hallertau hop…in this specific case Hersbrucker grown near Wolnzach, Hallertau.
- Mountain Rose Gruit : "A Gruit is an ancient style of beer using no hops. Before hops were commercially cultivated for the use in beers, special blends of herbs and spices were used in beer for bittering. We used a combination of Mugwort, Dandelion root, Dandelion leaf, Burdock Root, Licorice Root, Milk Thistle Seed, Blessed Thistle, Chamomile Flower, and Grapefruit peel to bitter and flavor this special Belgian Style Beer. We call it Mountain Rose Gruit after the local and organic herb company, Mountain Rose where we sourced all of the herbs.
- In Mid-Air : Big aroma on this one! Passionfruit/tropical meets hoppy/dank. Brewed with… all the good hops. Mosaic, Columbus, Wai-ti, Citra, and Simcoe. Complex, clean, aggressive, balanced.
- Haze : We constructed this beer around hops we currently have plenty of access to, allowing us to re-brew it on a (relatively) consistent basis. We smell a ton of orange on the nose, with complimentary notes of peach and passionfruit. The flavor is similar with a blast of citrus fruit & orange quickly followed by spicy grapefruit, and earthy dankness. A lingering but pleasant hop oil finish awaits.
- Quads & Rockers : This extra-strong Belgian-inspired ale is dark and full-bodied. Expect rich, malty and bold flavours, with noticeable alcohol warmth. Quads & Rockers is tailor-made for beer drinkers with an eye for style and a taste for tradition.
- Lainie : Lainie, our bright, beautiful American Style IPA, with exotic fruit flavors.
- Wiccan Worship Circle : Wiccan Worship Circle is our Oak Fermented Dark Lagerbier brewed with a base of Pilsner malt and a restrained selection of German dark malts. Hopped with classic German varietals and fermented cool with our house lager yeast in a new French oak foudre at our Dispensary. Cold conditioned in the oak for many moons before its release. Notes of smoky blueberry, plum skin, jasmine tea, and Turkish apricot. The shadow to the light.
- 1890 I.P.A. : Our 1890 I.P.A. starts with a clear, golden amber color. The medium bodied ale gives huge floral and grapefruit aromas. The 1890 I.P.A. is well hopped with carefully selected varieties giving it big citrus-hop character without being crushingly bitter.
- Battle Point Stout : THE BEER: A big, bold, dark, American Stout. Battle Point maintains a complex roastiness, with hints of caramel and chocolate, without being overly burnt or bitter. Smooth as silk and dark as night. Malts: ESB, Flaked Oats, Crystal 60, Chocolate, Black, Black Barley, and just a hint of Extra Special Malt. Hops are Nugget, Apollo and Willamette.
- Lentebock : Pronck Lentebock is a Dutch style Maibock. 18 EBC, top-fermented and naturally cloudy. Three noble hops make Pronck Lentebock smooth and organic zest adds a fruity bitterness.
- Kopstootje (Frequencies Series Release) : Kopstootje is a beer we've done draft only on occasion since 2011, beginning as a collaboration project with Jacob Grier. He approached us with the idea of producing a beer formulated to pair with the Dutch national spirit, genever, and we put together a unique recipe starting with a biere de garde but incorporating many grains and spices commonly found in genever. This release is the first time the beer has been bottled, but it also differs from previous batches in that it's aged entirely in local vermouth barrels, lending a wonderful floral aroma while oak tannin and light fruit notes of rose and strawberry land on the palate. The spices in the beer have softened over the aging process, making for an elegant profile that still shows an edge with pleasant acidity and a very dry finish.
- Toussaint Belgian Style Dark Saison : Dark with traditional saison yeast fruitiness, mango aroma and just a touch of Caribbean spices. Domestic Malted Barley, Local Raw Wheat, Spices, Mangoes and a blend of Belgian Saison Yeasts.
- Single Hop # 5 - Falconer's Flight : Medium body, hoppy ale. Golden in color. Floral, citrus, and tropical fruit notes.
- Double Dark Chocolate Biggie S'mores : I love it when you call me dark chocolate. A new spin on a classic. Biggie S'mores, we added more chocolate and more chocolate, along with graham crackers and marshmallow to bring you this unique, rich, malty and very chocolaty imperial stout.
- Galaxy Death : Our triple IPA is back! And this time, its full of Galaxy hops. Starting with the same base recipe as Star Death, we switched things up and added pound after pound of resiny Galaxy hops. It’s bursting with huge aromas of dank orange juice and super ripe tropical fruits.
- Gossamer Golden Ale - Cactus Pear & Brett : A dry hopped Blonde Ale with an addition of prickly pear, commonly called cactus fruit and Brettanomyces in the firkin.
- Transcendence RIS : Our rye bourbon barrel-aged Russian Imperial Stout. It provides a serous flavor experience! Expect an initial wave of bourbon and deep chocolate, followed by rich toffee, dark cherry, and some tobacco notes. The tannins help with the warming finish. Each sip can last up to a minute, so enjoy.
- Icknield : All our ale is brewed using barley from the Icknield series. It’s then floor dried the traditional way in Warminster at Britain’s oldest working maltings. A deep, complex and exceptionally moreish ale, Malt Icknield is a celebration of provenance and tradition. It’s made with all British hops.
- Off The Wagon Belgian Barleywine : This is a beer for settling in. Hunkering down. Sitting by a fire. Reading a book. Picking on some tunes. Conversing with good company around said fire. Sipping. Savoring. Candied apples, a blanket of stone fruit, fig, and dark honey carry from the nose. Brandy and sherry make their way forward in the mouth, and the warmth that follows is intoxicating. Gather some good folks and share. 11.8% ABV, 83 IBU
- Water Battery : Oozlefinch's first all-Brett beer, Water Battery features all the fruit and funk that Brettanomyces yeast has to offer. Brewed with fresh, wild hops from Oregon, this beer was fermented entirely with an isolated strain of Brett known to throw off low acid and sweet-tart tropical fruit flavors. The aroma is a combination of sweet ripe fruit and classic wet barnyard Brett aromas, with an added hoppy kick from a dry hop of Ella, Azacca, and Lemondrop. This beer is so limited, we didn't even want to keg it. We let it carbonate naturally in the tank, and we're pouring it straight off the sample port into your glass. It's wet, Brett, and wild!
- Scratch Beer 115 - 2013 (Stout) : After what seems like a lengthy streak of hoppy Scratch beer offerings, we’ve decided to brew something on the opposite side of the spectrum. Scratch #115 is an enticing Imperial Stout fermented with Westmalle yeast and brewed with 2lbs. of dark Belgian chocolate and 12lbs. of tart raspberry purée per barrel. The result is a vibrant Imperial Stout brimming with optimism and infinite merriment. Each passing sip of Scratch #115 reveals its enduring charm. It’s a celebration of two flavors that go hand-in-hand. Chocolate and raspberry… it’s the new peanut butter and jelly!
- Very Green w/ Pineapple : We love Very Green dearly. It is oozing with tropicana-like hop saturation and a rich, velvety mouthfeel. To amplify the existing pineapple characteristics, we added fresh under ripe pineapple to the mix. The result is a beer with a thick, meringue like character and heavy fruit attributes. Enjoy!
- Sticke : We like to call this the “Big Brother” to our Old Teuton. It is an Altbier but bigger than Old Teuton. It is dark copper in color, full-bodied and well hopped, with a surprising balance between bitterness and nutty-malty sweetness.
- Red Rock Black Bier : German style dark lager, very smooth, medium body, low hop bitterness. Eight different malts and thirty-five days of lagering give this classic Schwarz-style beer it’s unusually dark color and remarkably smooth flavor. Not a big beer, but more of a black session lager. Prost!
- A Single Passing Glance Belgian Blonde : With the sun coming out and warming up the spring into summer, we offer this bright, fruity blonde ale for your sunny afternoons. With a fruity Belgian yeast character in the nose leading into a soft, slightly sweet malt flavor on the palate and a lingering fruity finish, this beer is sure to be the perfect companion to lead you into summer’s warm nights. This is a limited batch, so don’t get too attached...
- Noche Dulce Vanilla Porter : One way to describe this beer is “a dark beer for people who don’t like dark beers.” Another way is “delicious.” Notes of cocoa, espresso, and delicately roasted barley blend nicely with real Mexican vanilla from Arizona Vanilla Company. This medium bodied, highly sippable beer is quickly becoming a local favorite.
- Edith : Edith (once our single strain Saison) is our tart, mixed culture Saison. Fermented in oak and aged for three months, it’s full of dry, complex citrus and pepper notes, a real thirst quencher, and 6.2%.
- Redolent : An artisanal blend of oats, barley, wheat, Belgian Blonde candi sugar, noble hops, and Belgian yeast. This particular yeast strain has synchronized these complex ingredients to produce an herbaceous, peppery, lemon zest-like aroma. Deceptively smooth for its alcohol content.
- Hop Grandslam : Like Hopslam, but more! Dry-hopped at twice the rate, made with Michigan honey and has lots of tropical and stone fruit notes from the hops.
- Anniversary Sixteen : Dark Honey Saison
- The Whale : The Whale is a smooth yet complex beer, packed with flavor yet easy to drink. We layer distinctive English brown malt and two types of chocolate malt to create aromas and flavors of coffee, chocolate and a surprisingly deep roast.
- Bock Bier : Brewed traditionally during Lent, Bock, which is “goat” in German, is a dark, strong lager. A blend of Munich and Carafa Special Type 2 malts give this lager its truly deep hues, and light hopping with Hallertau evens out the flavors. The recipe stays true to its cultural roots.
- Fifty Cent Rosie's Kriek : Wine barrel aged wild ale aged for two summers, blended with 4 pounds per gallon of dark and sour cherries. Dark ruby and sour with a huge cherry flavor and a pleasing funk.
- 3 Day Weekend : One-off batch minus the lupulin powder and gel. Featuring citrus, tropical fruit, resiny pine and subtle black tea notes, this double IPA is an amped up version of another one of our favorite IPAs, Lonely Weekend. This brew celebrates Citra and Idaho 7 hops. Long Live Beer!
- Kuhnhenn Summer Wonder : Similar in style to our Winter Wonder, this "Imperial Helles Bock" has added honey, along with peaches and mandarin oranges, all of which add bright fruit notes and a hint of underlying sweetness to perfectly complement the rich bready and malty flavors. Very little bitterness and a bright carbonation makes for a thirst-quenching, yet strong, summer sipper.
- Black Sails : Black Sails is a dark India Pale ale that elegantly combines a rich malty character, crisp flavor, and aroma of hops. With its smooth hoppy taste, it will make you want to set sail on a course to happiness.
- Hop Stuff : This is a very floral beer with underlying notes of pine and tropical fruits from South African XJA436, Simcoe, Nelson and a touch of Comet. Beware, Hop Stuff, this beer hides it's ABV well. 
- Super Sap : Super Sap is an imperial interpretation of Sap brewed with the spirit of the holiday season in mind! It is intensely kettle and dry hopped resulting in an immensely hop saturated beverage. Don’t be fooled by the name - Super Sap pours a hazy yellow color in the glass and emits aromas of grapefruit, tangerine, & papaya. The flavor follows suit with a pulpy grapefruit note as the predominant characteristic. Super Sap finishes gently with a soft pine-like bitterness buoyed by a fluffy mouthfeel. We hope it can contribute positively to a festive celebration this holiday season.
- Oude Tart - Boysenberries : Oude Tart is a Flemish-Style Red Ale aged in red wine barrels for up to 18 months. This version has had boysenberries added for the final stages of barrel-aging. In fact, there are over two gallons of boysenberry purée per barrel. The final compilation is pleasantly sour with hints of leather, dark fruit, tart boysenberries and toasty oak. While the Flemish-style red ale is one of the more classic beer styles that we make, it's not a style that you can find too often in the United States. Originating in style from the Flanders region of Belgium, near the French border, this dark, sour ale has roots deep in brewing history and predates most of the ales that have become popular in contemporary culture. We're doing our best to keep the tradition alive by brewing and aging this beer here on the west coast.
- Icelandic Toasted Porter : With notes of coffee and dark chocolate, this Porter is roasty and rich, with a robust, yet smooth body. Toasted malts give it a sinister black color, but its crisp taste will have you believing that there’s no more need to be afraid of the dark.
- Dark Strong Ale - Rum Barrel-Aged : A complex, malty strong Belgian ale with notes of caramel, raisin and dried fruit. Warming alcohol is balanced by malt sweetness and a hint of spice from the Abbey Ale yeast strain. Aged on raisins in a single rum barrel for a truly limited, one-of-a-kind, holiday ale.
- Berkshire Black IPA (Brewer's Series) : The first in our Brewer's IPA Series is a Black IPA, showing off with an impressive 70 IBUs. A special mashing technique is used to extract the dark color of the black malt without imparting any of the roasted flavors that typically come with it. The backbone for this India Black Ale is an aggressive addition of American grown "superalpha" bittering hops. Later hop additions in the boil give this beer its unique aromatic properties. Seven days of conditioning on an absurd amount of dry hops add to the powerful floral, grassy, and grapefruit mix that dances back and forth for your senses to enjoy until the very last drop makes its way from your glass.
- Barleywine : Are you looking for something different this holiday season? We’ve got just the beer: Ardent’s first Barleywine has arrived! This beer clocks in at 12.1% ABV and is a malt-forward, full-bodied giant. Featuring a malty sweetness and dark stonefruit notes, this traditional English Barleywine pours a deep copper color with rich aroma.
- Abita Select Imperial Stout : Our Imperial stout is made with British pale, caramel, chocolate, and roasted malts. Oats are also added to give the beer a fuller and sweeter taste. The roasted malts give the beer its dark color as well as its intense flavor and aroma. The flavors of toffee and chocolate are prevalent but not overpowering. Since the beer gets so much flavor from the malts there is not a lot of hop flavor. There is just enough bitterness to compliment the sweetness of the malt. The strong malt flavors also balance out the flavor of the alcohol as this beer pours at 8.5% ABV.
- Ligero : A traditional schwarzbier, Ligero pours brown to light black with notes of roasted coffee and nutty expressions. The flavor has elements of smoke with roasted espresso beans, sticky caramel-covered almonds and notes of dry dark chocolate in the finish.
- Pink Skies : Passion Fruit Punch Sour
- 7 Course Red : This Irish red is a beefed up version of the traditional style. Notes of caramel and roast in the aroma lead to an assertive malt profile with notes of toffee and dried fruit. This full bodied, stoplight red beer is balanced by just the right amount of hop bitterness and finishes with a mild sweetness. Pair this beer with roasted pork loin, bbq beef brisket, or traditional cornbeef and cabbage.
- Careful With That Pluot, Eugene : Made with three pounds per gallon of Crimson Heart Pluots, also from Murray Family Farms. Big fruit aroma with flavors that remind you of biting into the flesh of a very ripe plum. Pleasant acidity, hints of melon, and touch of funk on the back end.
- Saizzurp Double Frooted : Our regular SaizZurp conditioned on large amounts of passion fruit purée
- Whammy : This IPA dive bombs into lupulin glory with smooth and balanced tropical and stone fruit hops aplenty. And pitch shifts with some good ‘ol signature SingleCut dank weed to further bend your palate.
- Alternate Side : Alternate Side is a bold American Stout brewed with a blend of specialty dark malts that deliver a full body and rich flavors of strong coffee, dark caramel, and spicy rye. As those flavors fade the smoke and warmth of aging on Guajillo and Chipotle peppers and Mexican Cinnamon reveal another side to this complex beer.
- Schlafly Grapefruit IPA : Fresh grapefruit purée and American Citra hops create a brisk, approachable IPA with layers of refreshingly tart aromas.
- Dark Hyde : This beer was brewed for a very nice guys alter ego. Doesn't everybody have a dark side? I think we all do! Hoppy as hell and damn dark too! Not much roast character for what the color implies. Enjoy the dark side!
- Stone / Ken Schmidt / Iron Fist Mint Chocolate Imperial Stout : A zing of fresh peppermint on a foundation of cocoa on the front of the palate, followed by dark roasted coffee/cocoa malt flavors and those wonderful esters we so lovingly associated with beer. The mint and cocoa retain their presence throughout the palate, which finishes nicely with pleasing bitterness and a slight dryness. The balance of chocolate, mint and Imperial Stout flavors is amazing…the flavors meld together fantastically!
- One Trick Pony : Consider yourself lucky that you are holding one of our New England IPAs, because it's the only style that we can brew. We reached out to our brewing friends on the Brewers' Net, which is like the Darknet, but for brewers, to scare up some of the choicest hops money can buy: Australian Galaxy and Australian Vic Secret. Hugely tropical with notes of passionfruit, guava, and mango, these high oil content hops are truly a treat
- Black & Wit : A dark twist on the classic belgian-style witbier. Similar to the original, Black & Wit is brewed with a hefty amount of wheat malt and spiced with orange peel & coriander, however this version was brewed with midnight wheat giving it a black apperance. Black & Wit proves a beer can be both light & dark at the same time.
- Headplant Pale Ale : Pale Ales are hands down the most popular style of all the Ales. Our Pale Ale has a beautiful light copper color yet maintains a full bodied, complex character. It has a malty profile and just enough lightly floral hops for balancing, making it a great session beer to sample again and again...and again!
- Letterbox : Dark sour ale brewed with fresh limes, oranges, raspberries, and mangoes.
- Great Ape Nectar : Hazelnut Chocolate Milk Stout - This beer exemplifies the ability of a beer’s aroma to trick the mind. The sweet Hazelnut and Chocolate nose create an expectation of a rich sweet experience. What follows is quite different. The light body and strong roasted notes leave dry cocoa and nutty on the palate without being cloying. Of course
- HopLab: Munich IPA : Brewed with Amarillo, Chinook, Cascade and Columbus hops over a bready, biscuity malt backbone of Munich, dark Munich, and Victory malts. Deep orange in color and has plenty of malt character without being sweet.
- Robot Fish #4 Citra/Halcyon : The latest in our single hop/single malt IPA series. English floor malted Halcyon barley and tropical fruit bombalicious Citra hops load it up with juicy flavor, but keep it light on bitterness and body.
- Summer Rental Radler : We opted for a light lager brewed with grapefruit and passionfruit to create this refreshing, very low (4.5%) ABV offering. Slightly sweet and slightly tart with a crisp dry finish, this beer is a perfect starting point for any holdouts who have been waiting for the right beverage to get them into craft beer. 
- Bourbon Barrel Aged Dark Planet : Formerly Darker Planet
- Abita Bourbon Street - Maple Pecan : Bourbon Street Maple Pecan is a nut brown ale that is aged in Bourbon barrels. Our Maple Pecan is brewed with a combination of pale, munich, biscuit, and caramel malts. Roasted pecans are also added to the brew for a nutty flavor and aroma. We add maple syrup in the brewhouse as well to give the beer a sweet flavor and full body. After fermentation and aging the beer is transferred into the bourbon barrels. It is then aged for another 8 weeks to absorb all of the flavors from the barrels. The result is brown ale that blends the light flavors of nuts, maple syrup, and baking bread from the beer with the warming flavors of wood and vanilla from the bourbon barrels.
- HOPSMACK! : First in the series, HOPSMACK! inspired us to launch the TG Hop Patrol Series “palate rescue mission”. Giant aromas of pineapple and tropical fruit jump from this enticingly complex double IPA. True to its name, this brew delivers a heavy smack of dry hops and a double dose of bitterness in the finish.
- Naughty (list) By Nature : Our Christmas is so naughty, it’s nice… A Dark Amber Ale brewed with fresh ginger and a handful of spices that go in to making a traditional gingerbread man.
- Vintage Monks 2013 : Vintage Monks is a blend of our Trappist inspired ales which have spent months aging in oak wine barrels. Each barrel imparts unique flavors of red wine, tart fruits and lovely funk. The blended result is a wonderfully complex ale that is beautifully balanced. Pairs well with tangy cheeses, rich meats, fried foods and fruit-based desserts. Formerly called: Barrel Aged Dancin' Monks.
- Rude Man : A perilously strong, rich amber English barley wine made with phenomenal amounts of Maris Otter malt and Target, Progress, First Gold and Challenger hops. 44 IBUs. Brewed in October 2011, this beer will mature for years but is already smooth, complex and fruity with a substantial hop and alcohol structure to allow for graceful ageing. Named after an ancient, giant (180’ tall) fertility symbol cut into the chalk downs of S.W. England – bearing neither the mug of beer nor the strategically placed Wandering Star…
- Red Devil (Red IPA) : Named after the mascot of the old Michigan City Elston High School, this Red IPA bleeds Red Devil through and through. The beautiful malt backbone is comprised of Maris Otter, Crystal 30 and Melanoidin malt, added to enhance the sweetness and the lovely red coloring. A vibrant fruity nose will suck you in to do battle with this IPA. 
- Double Naked Fish : Imperial Chocolate Raspberry Stout. Get Double Naked. First brewed in 2012, Double Naked Fish pushes the traditional Stout style to a new dimension of flavor. Full-bodied and nearly black in color with a light tan head, Double Naked Fish swims away from the rest of the school with a flavor profile dominated by gourmet chocolate raspberry coffee and cocoa nibs for a taste experience that is truly unique. It hooks you with flavors and aromas of roast coffee, raspberry and dark chocolate, before releasing you to a dry, robust chocolaty finish. These enticing flavors, combined with a moderately strong 7.6% abv, make Double Naked Fish quite the catch.
- Clearing In The Bines : Pale Ale. 2-row and Munich malt from @newyorkcraftmalt and red wheat malt and malted corn from @pioneer_malting. A bevy of hops with Zeus from @thebineyard, chinook from #niagaramaltandhops, Mount Hood from @whipplebrothersfarms and Cascade and Alpharoma from @willethop. A great balance of malt and hops give "Clearing in the Bines" a classic pale ale flavor with notes of citrus, pine and nutty maltiness with a slightly sweet malt character.
- Double DanPA : Two Dans threw more then 30 pounds of fruity American and Australian hops in this beer. Notes of grapefruit, vanilla, tangerine and white grapes.
- Fragments 2 : This is the second in our series of blended American Wild Ales. This beer is a blend of two barrel components. The first is Barn Coat our house saison aged for over 2 months in a third use Rum barrel with a mixed yeast and bacteria culture and over 4 lbs / bbl of blueberries from Charlotte Berry Farm in Charlotte, VT. The second component is a tart saison fermented in neutral oak with pink peppercorns and rose petals. It pours a brilliant deep blue / pink color from the bottle. This beer exhibits a strong spice nose and overtone that leads with the peppercorn and finishes with subtle notes of rose petals and baking spice. The blueberry rounds out the tartness of the beer and helps balance the wood character present from the extended barrel aging. Like a fine wine this beer will get better with age but we also suggest you try it now to see the interplay between spice and fruit.
- Tartastic Lemon Ginger Sour : Brace yourself for a refreshingly tart snap. Tartastic's lacto sour profile and fruity, spicy undertones enliven the taste buds with each bright, sessionable sip. A refreshing sour ale with the lip-tingling sweet and sour flavors of juicy lemon and ginger.
- Black Currant Gose : This dark purple gose is tart and dry, with citrus aromas from hops and coriander, and a fruity/spicy/earthy quality from a healthy dose of black currant juice. It's a 40% wheat mash, Lactobacillus kettle sour, with freshly crushed organic coriander, black currant juice, and Himalayan pink salt (and a smidgen of hops). The result is practically sublime -- beautiful, unique, and refreshing!
- War And Peace : War & Peace is a Russian Imperial Stout aged with Peace Coffee's Guatemalan Organic Dark Roast. We measure out a pound of whole beans per barrel of beer and add it directly to our tanks, then allow it to infuse for nearly a week. It's a combination so natural, you may forget that stout and coffee once existed without each other.
- Pacu Pale : Classic California Pale Ale hopped with Ella, Citra and First Gold. Hints of grass and citrus marmalade are followed by a slight tropical fruit twist. The Pacu is a vegetarian cousin of the piranha and has been spotted in Roberts Lake.
- Black-Eyed PA : After we had a great response to our Lost Peninsula IPA, we decided to create an IPA with a dark side. What was forged in our brewhouse was Boatyard Brewing’s Black-Eyed PA. We made this ale with the same malt backbone as our Lost Peninsula IPA, but we shifted a few of the caramel malts to the darker end. We tossed in our beloved Black Prinz and chocolate malts and the deed was done. This IPA was our first to be dry-hopped, but it still reflects our love of British IPA’s.
- Oatsplosion : Brewed with an absurd amount of flaked oats and an equally silly amount of Citra and Mosaic hops, this IPA is bursting with juicy fruit flavors and a silky smooth texture.
- Oak Aged Cherry Quad : Dark Belgian-style ale aged in oak barrels with cherries and Brettanomyces. Funky, fruity and rich.
- Cuir : Cuir is our third anniversary ale. It is the same recipe as Papier, but again created using the Solera method. Each year we will continue to blend old barrels of anniversary ale with a new batch of the same beer, adding an additional layer of complexity that will grow over time as we continue to age and blend with each anniversary, creating an older average age to the ale.
- CASK-AID IPA : This IPA was made just for cask. It has a hop flavor of grapefruit with a floral aroma.
- Tiepolo Blonde : Named for Venetian Artist Giovanni Battista Tiepolo who, like many artists throughout history, depicted some subjects (including Cleopatra) as blonde regardless of historical fact. This sessionable blonde is slightly fruity with crisp hop notes, perfect for the long-awaited patio season!
- Torrential Downpour : A hazy IPA brewed with lactose sugar, giving it a creamy smooth mouthfeel coupled with Citrus and El Dorado hops. A heady addition of strawberry purée makes this a fruit forward beer with a smooth finish.
- Chocolate Stout : An array of dark malts and a heaping dose of cocoa nibs* from French Broad Chocolate Lounge make this chocolate stout an instant classic. Aged on nibs for a number of weeks, this beer displays the gentle alchemy of chocolate and malted barley. Available now on the Nitro tap for superior smoothness. 
- Sentinelle : This German-style pale ale gets its name from the city of Cologne (Köln in German), where it was first brewed. Although simple, this beer offers lightly fruity and delicately hoppy aromas. It has a generous, malty flavour that is well-balanced by a subtle hop bitterness. This beer was first crafted at our Montreal location in March, 2006. Dieu du Ciel! will donate 10 cents for each bottle of Sentinelle sold to the L’institut de recherche et d’information socio-économiques (IRIS) in order to support it in its mission in disseminating an alternative view to the dominant neoliberal discourse.
- Flemish Kiss : Right out of primary fermentation this beer is decidedly an American Pale Ale, but as it enters secondary, a bridge to Belgium is built with a dose of Brettanomyces Bruxellensis. A 5 week maturation results in slightly dry, fruity beer with a hint of floral Brett character that will evolve over time.
- The Darkest Dawn : Bone-dry and smoky. We made this with Cherrywood smoked malt. Giving the beer a slight fruitiness to go along with the roasted smoky flavor. Surprisingly mellow on the smoke front.
- Habanero Sculpin : Our Sculpin IPA with Habanero Pepper began as a crazy experiment that’s taken on a life of its own. While its bright fruit notes and hoppy bite has made the original one of our favorites, this version takes that balance of flavors to the next level with the citrusy, floral heat of habaneros. Sculpin are known to sting, but this one’s got a kick.
- Gingersnap : Dark English Brown Ale brewed with ginger, cinnamon, and molasses
- C4 Double Coffee Brown Ale : In my opinion, coffee rivals beer for the title of "greatest beverage in the world". I often say that I would rather give up beer than coffee. So it is only natural that we would attempt to make a beverage that incorporates both. If we were to succeed, surely this would then become the greatest beverage in the world? After years of research and trials in the garage, I have come up with what I think is the perfect marriage of coffee and beer: A hoppy double brown ale, that compliments both the roasty and fruity aspects of the coffee without putting up too much of a fight. The coffee was selected in collaboration with the Christchurch institution C4 Coffee and consists mainly of lightly roasted, delicate and floral, Ethiopian beans. Worlds are colliding and, in my humble opinion, greatness is achieved on the other side.
- Train Haul : Our series of beers brewed with fruit, this season we have a Grapefruit Radler, freshly squeezed ruby red grapefruit juice mixed with a pale wheat beer.
- Magnus : Inspired by the great ales of Flanders, we embraced a modern approach to create Magnus, our vision of a sour, red ale. Initially soured and fermented in stainless, we then matured the beer in oak barrels. Wild yeasts produce rich notes of berries and fruit that cascade over flavors of soft malt and a bright acidity.
- Sour Batch (Citra) : First up in our Sour Batch series of beers is an incredibly tart, hoppy and refreshing wheat beer single hopped with Citra. The acidity derived from the lactobacillus pitched in the kettle combines perfectly with the fruity hops. Get ready to pucker up!
- Pau Hana Passionfruit IPA : This beer is dedicated to all you hop heads looking to unwind after a hard day. In Hawaiian, “pau hana” (pronounced “pow hawna”) means “work is finished,” so let the tropical hop party begin! Layers of citrus hop flavors and aromas intertwine with the seductive, tart flavor of passionfruit. Extensively dry hopped, this beer has an intense fruity hop character and mild malt flavor. While we’re teaching you about the culture, passionfruit in Hawaiian is Liliko’i (“lee-lee-co e”).
- Burdock Dark Saison : Light saison mouthfeel, with an Abbey ale flavour. Brewed with Black Prinz malt – a dehusked barley. Dark amber colour. Molasses and spice nose. Bold plum and prune taste.
- Territorial Reserve Barrel Aged Wild Wheat Wine Honey Ale : The Wild Wheat Wine Honey Ale has floral and rustic flavors that began with a generous foundation of pilsner and wheat malts. Local clover honey, two wild yeast strains and 14 months in red wine and bourbon barrels give this distinctive honey ale an earthy backdrop, notes of sweet tropical fruit and rich tartness. Savor accordingly.
- Vacuum Readymade : What is with the paradoxical term 'Black IPA' anyway? Whatever it is, we do love black beers.. also smoked beers, and of course everyone loves hops these daze.. A complex blend various smoked, caramel and subdued roasted malts lay the base for a combination of piney, dank and (dark) fruity hops.. While there is a lot to contemplate with this beast, just be sure to enjoy it without getting too sucked into its enigmatic composition.
- Bourbon Aged JMB Chocolate Stout : Brewed with 6 varieties of malted barley that results in a silky smooth, yet complex beer. 
- Time Capsule October 2014 : "Time Capsule October 2014 is a truly White Center, USA sour ale. We took our sour blonde base and primary fermented with our house ale yeast and house souring microbe blend. Additionally, this beer was exposed to the open air to encourage inoculation by the micro flora indigenous to the brewery surroundings, adding complexity to the beer. Because of this brewing technique, October 2014 embodies a very specific time and place which will never be able to be exactly recreated. We love it now but it will continue to develop, making an excellent addition to your cellar.
- Isseki Nicho En Fût De Pinot Noir : This rich black coloured Imperial Saison’s pronounced bitterness is accompanied by deep notes of roasted malt. This version of the beer is aged in Pinot Noir barrels. These impart aromas of wine, sustained by spicy yeast flavours, which are balanced by a delicately dry and complex finish.
- MooCow Poncho : A creamy, smooth chocolatey stout. Dark, but not too heavy.
- Extra Deluxe Tripel : This Belgian-style Tripel is a collaborative brew between the brewers at Bear Republic Brewing Co. and local homebrewer Sean O'Connor. Pleasantly malty with spicy and fruity yeast character.
- Pompous Pirate : A dry, complex stout with Pomegranate
- Zips : Brewed with Ekuanot and Citra hops and aged on grapefruit and blood orange purée.
- Belgian Multigrain : Brewed with barley, wheat, rye, oats and Michigan beet sugar! This Belgian specialty has a rich, malty body with layers of molasses, chocolate and dried fruit like raisin, plum, and cherry! The Belgian yeast adds a hint of peppery clove to the overall intricacy. Served in a snifter to assist with its wonderfully, complex nose.
- Raspberry Beret Imperial Fruit Beer : Kettle Soured Raspberry Blonde Ale. Tart & Snappy, Crisp & Fruity.
- Rye Porter : This brew is our Baltic Porter with 20% of the base malt as rye malt. The roasted and dark malts tend to stand out a little more as the rye lightens the malt profile. A tasty dark brew for the Porter and dark beer fan. Hopping is low at 15 IBU's, using UK Admiral hops for bittering only. Ringwood yeast was used for fermentation.
- Fun Sponge : Bright citrus, melon American hop character with a light malt sweetness and notes of spiced stone fruit.
- Ariana Motueka Experimental IPA : The next in our juicy, hazy, small batch series of Experimental India Pale Ales. Dry-hopped with citrusy, zesty Motueka and pleasing, fruity Ariana.
- Bineary Double IPA : Big nose full of canteloupe, pine, and citrus. Flavor is loaded with dried fruit and hop resin, with notes of black pepper and mint. A huge, intense double IPA that remains dangerously balanced and drinkable.
- Never Enough : Gose with Montmorency cherries and black lava salt. This one is a straight fruit bomb. We went crazy on this one. We did over 6 times the amount of fruit as Crucial Aunt. We ended up adding a total of 630lbs(75 gallons) of Montmorency Cherry purée. Smells like a straight up cherry pie. We tried to also make this the most acidic kettle soured beer we've released and have done just that. The black lava salt adds a really nice complexity and minerality to the beer.
- Saleos : Our interpretation of the classic Belgian golden strong ale. A simple ingredient base of pilsner malt, noble hops and Belgian candi sugar create a stage for this authentic yeast strain to produce bold and complex aromas reminiscent of apples, lemons, pear and black pepper in the finish.
- Oktoberfest : Smooth, clean, and rather rich, with a depth of malt character. This is one of the classic malty styles, with a maltiness that is often described as soft, complex, and elegant but never cloying. Mouthfeel is medium with a creaminess that accentuates the rich malt character.
- Scratch Beer 212 - 2015 (Chocolate Stout) : Six different malt varieties, cacao nibs, dark chocolate, lactose, oats, and vanilla combine to produce a decadent Chocolate Stout with a lush, velvety texture and rich, smooth finish.
- Golden Promise IPA : Bellingham's Kulshan Brewing teamed up with Old Schoolhouse Brewery of Winthrop to craft a dynamic West Coast IPA. Golden Promise malt provides the bready and full bodied backbone needed to support a generous dosage of Simcoe, Loral, and Citra hops. Bold citrus, floral, and fruity hop notes dominate this well balanced IPA, creating a delicious drinking experience that is sure to collaborate well with any summer activity.
- 22 Amarillo Ave : It's a new crop year for hops, so it's time for some of our beloved beers to take a long walk off a short pier. We love Orchard Street IPA, but our Amarillo is a little different this year, so, in comes a new contender to fight for a place in our rotating series of IPAs. 22 Amarillo Avenue exudes the characteristics of its namesake hop with notes of ruby red grapefruit juice, peach skins, and generic brand fruit punch. Mellow malt character, slight hints of hop-induced confectionary sweetness, and a full pillowy body compliment this modern legend.
- Mosaic Twister : A pale ale swirling with tropical fruit notes. A collaboration across tornado alley... this clean Mosaic-hopped pale ale is a collaboration with the cool cats at Pike’s Peak brewing.
- Road Rash Raspberry : A big blast of raspberries with a soft malt profile. Nothing subtle about the fruit character in this beer. This one offers a pleasant tartness that only comes from real fruit concentrate from Michigan. 
- The Beer Formerly Known As (TBFKA) La Tache : The Beer Formerly Known as LA TACHE is the table sour produced year-round by The Ale Apothecary. (TBFKA) LA TACHE is made of malted barley & wheat and Goschie Farms Cascade Hops. The hops are used only for aroma as the balance of the beer comes from acid produced by our house lactobacillus culture. She spends up to one year in our barrels during a long, relaxed fermentation prior to a month-long dry-hopping (yes, in oak barrels!). Our sensory experience is lemon citrus & fermented orchard fruit nose over earthy undertones. The palate finishes with soft lactic acid balanced by the malt body.
- Four Phantoms : An elevated blonde ale brewed in collaboration with WarPigs Brewing USA's Erik Ogershok. Intense citrus, tropical and stone fruit character from start to finish.
- Hand Truck Porter : Because it's often surprisingly cold in spring, a nice warm Porter is just the ticket. Huge black malts celebrate the art of roasting, with a complex blend of chocolate and caramel malts. Dry, roasty, and full of flavour, it's what you need when stevedoring, digging hops rhizomes, or breaking out of the winter shell.
- Scratch Beer 239 - 2016 (Pale Ale - Comet) : The Comet hop represents the unsung hero of American-bred hops due to its sporadic use in modern brewing. Displaying a balance of grassy and citrusy flavors, Scratch #239 marries the zest of grapefruit, lemon, and orange with “wild” notes of earthy plants, floral perfumes, and forest moss.
- Scratch Beer 240 - 2016 (Pale Ale - Cascade) : The life cycle of our Scratch series involves lots of pondering, sketching, brewing, tweaking, flipping, sampling, and gathering feedback on our beers. Scratch #240 revisits our recent Cascade single-hop Pale Ale. Join us as we continue to explore this popular variety via grapefruit rind, black pepper, and earthy spice.
- Super Bad - Double Dry-Hopped : Golden haze with white head. Dank grapefruit mango aromas with stone fruit and citrus nectar, round mouthfeel with assertive bitterness. Brewed with English Pale and wheat malts. Fermented with American Ale yeast, hopped with Ahtanum, Centennial & Simcoe.
- Maibock : Dark golden lager, not overly hoppy. Made with German Perle & Hallertauer hops and Bavarian yeast.
- Tusk & Grain Brandy Barrel Aged Coffee Porter : This beer is one part of the duality that comprises our feature on coffee beer. We layered fruit notes on fruit notes, aging our imperial porter in brandy barrels and adding Kenyan "karagoto" coffee from Bird Rock Coffee Roasters. Vanilla, chocolate, blackberry, and black currant aromas explode, leaving a multi-faceted beer setting itself apart from the coffee beer paradigm. Complex, yet smooth on the finish, let this coffee beer wow you with its richness and be the nightcap you're looking for.
- Galaxy So Mosaic : Citrus, peach, mango and passionfruit aromas and flavors from a heavy dry-hopping of Galaxy and Mosaic. Zero bitterness DIPA with a soft mouthfeel.
- People Power : IPA with Centennial, Vic Secret and Citra. This beer has notes of pine, citrus and passionfruit.
- Feral Vinifera : Feral Vinifera is our foray into a new and exciting adventure in the Santa Ynez Valley, that expresses our collaborative efforts with local grape growers and winemakers. Its journey begins with the sourcing and pressing of grapes from David Walker’s vineyard, co-fermenting the juice with a wheat-based wort, inoculating with proprietary wild yeast and bacteria, and allowing for a long fermentation and maturation in French Oak barrels. We have carefully fermented, matured and blended this beer with the collaboration of our friend, Andrew Murray, proprietor/winemaker at Andrew Murray Vineyards. The resulting cuvee; a partnership of Sauvignon Blanc, Chenin Blanc and Muscat grapes co-fermented with wheat based wort-bends the mind and senses. Pineapple, mango, guava mingle with Meyer lemon and gooseberry. A funky savory yeast bouquet lays down a firm foundation, fruity esters and tart acidity lend body and structure. Finishing with a flinty minerality, woody tannins and vinous perfume. 
- Neon Gypsy India Pale Ale : Neon Gypsy, our 6.5% abv India Pale Ale, is medium-bodied and clear with a thin white head and crisp mouthfeel. A vagabond blend of 7 different hops dominates with grapefruit and citrus flavors and aromas, accented by notes of pine, that continue to roam your palate long after its clean, hoppy finish. Disconnect, and you will find your way.
- Dolle Streken : A Belgian ale with a sweet malt complexity and a pleasant alcohol. Be careful... this Rascal will catch you off guard.
- Kalaspåsköl 2009 : Roasted oat, dark malt and caramel malt gives the beer its colour.Cascade, Amarillo, Fuggles, Nelson Sauvin and Simcoe, creates the right modern bitterness. 12.9˚ plato.
- Stillwater / Dugges - Tropic Punch Ale : Tropic Punch Ale is a joint effort of Stillwater Artisanal and Dugges Ale in Sweden. This sour ale is brewed with Mango, Passion fruit and Peach, and fermented with lactobacillus.
- BREWtality - Espresso Black Bier : Combining jet black color with incredibly smooth texture and decadent coffee flavor, BREWTALITY breaks the expectations of both rich espresso and dark beer to create a whole 'nuther beast. While brutal in alcoholic strength, this biggie beautifully showcases its roasted malt and coffee flavors without bringing on bitterness and bite. This is the first of two lagers in the series.
- Blueberry Tart : Blueberry Tart is the result of two beers blended into one. The first beer is a kettle soured blonde ale. The second is a simple imperial wheat ale into which we add a whole lot of blueberry puree. This process achieves a bright and juicy blueberry aroma and a complex flavor character throughout each sip. At first it is bright and juicy, followed by sweet and round in the middle, and ending with a mild tartness that en-courages another mouthful. Slight notes of pie crust emerge in the aftertaste of this imperial ale.
- Vermillion : Vermillion is a blend of beers ranging in age from 6-14 months, re-fermented on 300 pounds of whole organic red raspberries in one 400L puncheon. The fruiting ratio for this beer is 4:1, making this the most fruited beer we've made so far. Moderately tart with an insane amount of seedy ripe raspberry flavors. The loss on this beer was unbelievable. Out of the 106 gallon barrel we only packaged 60 gallons.
- 4 Calling Birds - Bourbon Barrel-Aged : 4 Calling Birds was our 2011 winter ale - a spiced strong dark ale. We took inspiration from the traditional winter warmer for our fourth verse, integrating gingerbread spices into a robust dark ale. Notes of licorice & banana bread mingle with dark fruit, molasses and bitter chocolate for a perfect cold weather sipper!
- St.Oner : Our one year anniversary IPA! Brewed with rye, PA wildflower honey, and lime / meyer lemon / grapefruit / clementine juice & zest. Hopped with Citra, Mosaic, and Simcoe.
- TRILLBOMB! : For this collaboration, we took the grain bill for Trillium's Night & Day and combined it with the flavor sugar and spice additions from Prairie's BOMB! to create TrillBOMB! Brewed with cacao, coffee, Ancho chilis, and vanilla, TrillBOMB! has an intense dark chocolate and oatmeal cookie aroma, tastes of hot chocolate, sweetened cold brew coffee, and ends with a subtle warmth from the Ancho chilis. 
- The Hemperor : Get ready: an exciting new offering that’ll change the way you think about hoppy beers is coming your way. The brewers at New Belgium have created a new style of IPA: The Hemperor HPA. With the popularity of hoppy beers, our brewers are always on the lookout for different hop varieties and the complexities and flavors new strains can bring. That’s where hemp comes into the picture. Without getting too nerdy, we found a unique way to recreate hemp terpene flavors in a beer, which complement the inclusion of hop flavors and hemp hearts (seeds) in a brand new, delicious way—not to mention this beer is extremely dank! The flavors and aromas are so unique that it’s a style unto itself, hence HPA.
- Spiced Porter : Specialty beer brewed with honey, Dark, mild bitterness.
- Tusk & Grain Coconut Stout - Bourbon Barrel-Aged : For brewers, beer becomes our canvas and calls to us as artists, defining itself as we lay our liquid paintbrushes upon it. In this case, our imperial porter and imperial stout have spoken, and led us to create this beer. By boasting big notes of dark chocolate, roast, and caramel, there was only one ingredient that would complete the piece; toasted coconut. This beer will take you somewhere, and we hope you enjoy the journey.
- The Black Apple : Sour fruit liquorice ale.
- Koko Brown : Koko Brown's distinctive, nutty aroma and flavor comes from real, toasted coconut blended into each brew. One sip of this smooth, mahogany colored ale and you'll feel like you're on a warm, sun drenched beach in Hawaii. Crack one open!
- Enlightened Despot : The Enlightened Despot is an amazingly rich, complex and surprisingly drinkable Bourbon Barrel Russian Imperial Stout. Notes of chocolate, vanilla, and of course the delicious flavor of Pappy Van Winkle Bourbon round out this robust stout. Aged for 100 days in 15 Year Pappy Van Winkle Family Reserve Barrels, made with 10 specialty grains and containing over 78 IBU of American Hop flavor, this truly is a one of a kind beer.
- 2XSMASH : STBC's Single Malt And Single Hop Double IPA features one variety of hop: big, juicy Mosaic Hops and one type of malt: Special Pale Malt. It's amazing how complex the flavor of just one type of hop and one type of malt can be...
- Experimentalis With Meyer Lemons (Ransom Spirits Pinot Noir/Gin Barrel) : Experimentalis is our barrel aging project using fruits that are grown in our Horticultural Area. Each release is unique and no two releases will taste the same.
- Saturnalia Gruit : Named for a Roman Festival of mythical revelry, our Saturnalia Gruit is made without hops, using a special blend of herbs and spices. A darker brew with notes of dark chocolate malt, cinnamon and anise, Saturnalia is our second foray into the realm of ancient ‘Gruit’ Ales. Raise a glass of this truly unique beverage and share a toast to independence and eccentricity.
- Schlafly Watermelon Lager : In 2016 we began trialing more beers that incorporate ingredients both during fermentation and after. For this refreshing version, we brew our popular Helles-style lager then add watermelon purée to the fermenter. It emerges smooth, bright, and malty but with a twist of flavoring sweetness from the fruit.
- White Lightning : This Belgian-Style White Ale combines a complex malt character with sweet orange peel, coriander and grains of paradise. The end result is a shockingly refreshing wheat beer that can be enjoyed all year long.
- Collision Of Vision : Clementine cream, subtle wet grass, with notes of dragonfruit and sugar coated peach skins. Hopped with the mighty Galaxy, Citra, and Motueka.
- BeanOrMaGene : Woodford Reserve barrel aged Imperial Porter, Hugene, further aged with Revolution Dark Matter blend.
- Alaskan White : Alaskan White Ale has a soft, slightly sweet base with the unique spice aroma of coriander and crisp, citrus finish of orange peel. A light and effervescent body combined with the smooth palate creates a complex and delicate beer that is deliciously refreshing in any season.
- Kronenbourg 7.2 Blonde : Kronenbourg 7.2 blonde est une bière premium dense. Ses arômes dominants de fruits et de malt complétés par des notes de fruits rouges en font une bière de dégustation très moelleuse.
- Forbidden Planet : Heavily Dry-Hopped with Australian-Grown Galaxy Hops; Semi-Dry & Quaffable with Bold Passion fruit, Peach & Mango Aromatics.
- Never Lucky : Never Lucky is our latest iteration of our Never fruited Gose series, we bombed this one out with a whole bunch of Kiwi purée!
- Process/Progress #1 : The first run of our new single batch, one offs for the tasting room to try new ingredients/new processes. #1 is an oatmeal IPA with Nelson Sauvin, Motueka and Centennial hops. Lemon/lime pith/white grapefruit, earthy.
- Cherry Bourbonic Plague : This NW-style sour ale is a special treat from the blenders. We took a 20 month old Thai cinnamon version of the Bourbonic and aged it a further four months on Bing cherries. Dark cherries, Bourbon and spices greet you in the nose. Big, rich, dark cherries, dates, oak, leather and tobacco dance on the palate. Deep cherry notes, dark fruits and a warming Bourbon flavor finish this off as only the Bourbonic can.
- Début : Debut is a dry, refreshing, and slightly tart Saison with subtle flavors of plum, grape, and strawberry. The fruit flavors are complemented by a smooth, full body and toasty finish.
- Critical Mass : Big bold and chewy. This beer style was brewed for czars years ago. Now it’s brewed for you! Huge fruity esters and big roast character round out this pitch black imperial stout.
- Stingray Imperial IPA : Named after a serene Coronado shoreline where locals soak up sun and suds. This easy-drinking IPA will transport you to a tropical paradise the moment it hits your lips. Citra, Mosaic, Simcoe and Souther Cross hops provide flavors and aromas of tropical fruits and sun-kissed citrus with soft accents of nectarine and peach.
- Purée Plum : Purée is our series of sour beers aged in oak wine barrels on Oregon Specialty Fruit purées. The Plum variant was developed exclusively for our 2017 Barrel Fest. Soft, round, fleshy plum notes compliment the light acidity.
- Aiken Olde Aiken Ale : The strongest beer offered by Aiken Brewing Company, this high alcohol barleywine is fruity with hints of currant and raisin. Its significant malt intensity with just enough hop bitterness for balance makes for a delightful a winter warmer!
- Froot Joose : Froot Joose is a 7% sour IPA with lactose. This beer is kettle soured, hopped with Citra and Amarillo in the kettle and dry hopped with Citra, Amarillo and Mosaic. This tart IPA was designed to taste like your favorite childhood fruit juice drink. It's definitely one of the weirdest and juiciest beers we've done so far.
- White IPA : Light golden wheat in the glass with persistent fine lacing from the creamy ivory head. The nose, with sweet citrusy hops and light grapefruit zest, is reflected in the palate with grapefruit pith on the tip of the tongue followed by satisfying bitterness mid-palate and a lingering finish with softy, tangy citrus.
- Tucking Friple : Brewer Danny Bruckert flexes a little muscle with this brew- a monster Belgian Tripel brewed with coriander that tips the scales at 9% ABV. The Tucking Fripel is lightly hopped with Czech Saaz and Hersbrucker to let the complex spicy-fruity yeast and loads of malt shine. Beneath a dense and creamy head is a bad-ass brew to be respected and sipped slow.
- 2: Amber Ale : This amber ale has a subtle hop backbone that shows off a complex malt character with crystal malts from Chile. They display the common characteristics of carmel, toffee and lightly roasted flavors of crystal malts but with more depth and presence. Malty goodness, medium body.
- Bbbrighttt W/ Simcoe & Amarillo : BBBrighttt w/Simcoe & Amarillo is an intense yet clean and elegant showcase for two of our favorite American hops - Simcoe & Amarillo! It builds upon the base beer resulting in an amplified flavor profile as a function of additional kettle and dry hopping from the base recipe. It tastes intense and much like fresh squeezed ruby red grapefruit juice. A light body and fluffy mouthfeel make this beer such a pleasure to drink. We love the Bright series for its individualism as it allows the pure character of the hop to shine, foregoing the hop compound biotransformation that contributes depth, complexity, and originality to our core Tree House IPA’s. With this beer you get perhaps the most authentic and intense Simcoe & Amarillo character possible, in a beer that is refreshing and pleasurable to drink all the way through the pint!
- Pagan Porter : The fates guide the person who accepts them but thou must not resist them. Take a leap of faith and delve deeply beneath the surface and envelop your senses in dark malt and chocolate flavors fore there is darkness in light. A treasure awaits on this obscure night.
- Permagrin Rye Pale Ale : This special brew incorporates malted rye in the grain bill lending a spicy character and complex flavors. Generously hopped with Amarillo, Simcoe, Cascade and Centennial. This hoppy pale ale has a sneaky bite that will creep up and leave you smiling!
- Doctor's Orders Synapse : Autumn 2011 & the Late Winter 2013 seasonal is Synapse. Synapse is a Black Saison which is yet another emerging twist on a traditional style. Think a dark Belgian/French Saison at more than full strength (6%). Lovely spice, hints of chocolate with a traditional Saison aroma and a refreshingly dry finish.
- J.R.E.A.M. - Double Apricot Raspberry : Imperial Fruited Sour Ale with Lactose
- Blackberry Gose : Modeled after the tart beers of Northern Germany, the low ABV beer is the perfect drink for the outdoors. Crisp, fruity esters play alongside the salinity of Pink Himalayan Salt and the spice of ground coriander. The use of lactobacillus, along with blackberry puree, balances the tart front end with soft fruit character, providing you with an easy to drink, refreshing tart ale.
- Hopster The Grouch : The Mother Hoppin' Double IPA was aged over 9 months to create this uniquely named brew. Aged on oak with brettanomyces and lactobacillus, and just before bottling, topped off with a big dose of dry hops to add back a bit of that (grouchy) bitterness. Expect a ton of pineapple and tropical fruit notes, along with a light sourness and distinct funkiness.
- 2014 Double Porter : Double Porter is all about the malt - big cocoa, toast, and dark fruit characters are balanced against just enough bitterness to create a big, complex, warming experience.
- Life in the Clouds : New to our core lineup, Life in the Clouds is our flagship New England style IPA. After experimenting with the Collective Project HAZY IPA we dialed in the Simcoe and Mosaic hops and malt balance to optimize this juicy IPA’s pleasantly fruit forward (think citrus and melon) taste and aroma. In keeping with the nouveau NEIPA tradition, Life in the Clouds is an unfiltered beer, neither overly-sweet nor bitter, with a pillowy mouth feel. Crack one, pour it in a glass, take a whiff, hold it up the the light and take a sip! Don’t you agree?
- Triple ESB : A prominent to intense hop aroma that is derived from American varieties (a citrusy hop character is present) and European varieties (floral and spicy). In our version we use Chinook and Horizon – from the Pacific Northwest and English Fuggle and German Hallertaur. Also dry hopped for an additional hoppy aroma. Clean malty sweetness is found in the background. Fruitiness, either from esters or hops, is also present. Some alcohol can be noted, but it does not have a "hot" character.
- USSR : This quenching red summer ale is brewed with premium UK malts, bittered with Columbus hops and finished with Perle hops for flavor. Crystal rye malt imbues crisp complexity and a unique red color (no caramel or other artificial colors here). A perfect session beer for the summer!
- Antigluten Double Pale : Gluten-free beers should not have to be bland, so to further our mission to boycott everything bland, this is a gluten-free strong pale ale made with sorghum, brown rice and dark Belgian candi sugar, resulting in a beer with deep golden color, medium body, medium maltiness and low caramel character. Large quantities of citrus-like American-variety hops produce high hop bitterness, flavor and aroma. Fruity-ester flavors and aromas are strong with notable aromas and flavors from the unconventional gluten-free grains.
- Six Pack Shaker : An island twist on an American pale ale, this ‘hop-blasted’ beer is made with passion fruit and a lots El Dorado hops which are known for tropical flavors.
- To Øl / Mikkeller Overall IIPA : One of two sequels to the Mikkeller/To Øl collab “Overall IIPA”. The same beer base as Overall, but this time cleverly refermented with wild yeast (Primarily brettanomyces). The tart, funky and odorous aromas of the brett interact with the fruity and bitter palate of the IIPA and results in somewhat of a hybrid beer. This beer might be a reference to some Belgian classic, but you have to figure it out yourself…
- Mast Landing / Aslin - Wrastlin' Moves : Brewed in collaboration with friends Aslin Beer Co in Virginia. This IPA is brewed with Eldorado, Simcoe, Mosiac and Citra hops. A soft mouthfeel leads into a heavy profile of tropical fruits and hoppy bitterness.
- Josey Wales : Orange-copper in color, unfiltered. Assertive hop aroma and flavor through finish. Bitterness is moderate to strong. Finish is crisp and dry. Hop flavors are orange, pineapple, some spruce, grapefruit. Malt character is again moderate. Some bread and caramel malt flavors. 
- B-Side Pilsner : A fresh spin on an old favorite, B-Side Pils is our cover of a classic, crafted with a traditional German malt bill and a blend of noble and newer German hops. Crisp and clean, crushable and complex, B-Side takes you off the clock and on to what makes you tick. When you’re on your time, flip to your B-Side.
- BOOM! Choc-O-Lotta : A darker Märzen lager is aged over gobs of cocoa nibs and vanilla beans to impart an explosion of luscious, chocolatey flavor amongst the rich, German malts. 
- My Milk Stout Brings : Our Milk Stout has a mild roasted flavor that provides hints of coffee and chocolate. The added lactose adds a nice sweetness and a not-too-bitter full body. It has a beautiful dark chocolate color and a silky smooth finish.
- Tusk & Grain Tequila & Bourbon Aged Coffee Porter With Mexican Chocolate : This beer is one part of the duality that comprises our feature on coffee beer. Highlighted by Mostra Coffee's Costa rican "agues clears," we reached deep into our oak cathedral to pull out one of our most complex beers to date. Chocolate, earth, and floral tones are the resulting harmony of a blend of two-thirds tequila barrel aged and one-third bourbon barrel aged imperial porter. Finished with authentic Mexican chocolate from Jalisco, we proudly present to you an iteration of one of our favorite styles.
- Gran Sport Porter : Gran Sport is a robust porter marked by its finesse and distinct malt backbone. Aromatic notes of chocolate and roasted coffee compliment the full-bodied mouthfeel derived from a healthy addition of oat flakes. Dark. Roasty. Malty. Splendid.
- Rudder's Red : A complex red velvety smooth ale designed with 4 specialty malts and 2 varieties of hops. A superb pub ale that compliments food and is a local favourite.
- Brewer's Alley 1634 Ale : "1634 Ale" was created by Tom Flores, master brewer at Brewer's Alley, following research of historic recipes and raw materials available in centuries past. "We used ingredients that would have been found in the austere conditions of early colonial Maryland," said Flores of his rye-based ale recipe that also includes malted wheat, molasses and caraway. Flores says caramel and dark malts round out the flavor of the "lighter bodied ale."
- Simcoe Double IPA : Double IPA brewed with floor malted Maris Otter, Munich and pale crystal malts, kettle hopped with four varieties before finally being dry hopped with Simcoe providing its big hop aroma with hints of citrus, pine and tropical fruits.
- The Defender American Stout : This big, malty, pitch black ale was brewed with roasted barley, chocolate malt and dark crystal malt. Then we hopped with Cascade & Centennial & finished with a dry hopping of Chinook & Centennial.
- Parageusia3 : This is a Cabernet Franc barrel-fermented Ale that I brewed with wheat malt at Tired Hands Brewing Company. At this point, Parageusia3 is roughly ten months old. The yeast used to ferment this beer is a melange of yeast cultured by Tired Hands Brewing Company as well as yeast and bacteria resident to Ardmore, Pennsylvania. I believe that people of this time may refer to my Ale as a "Saison" or perhaps a "Wild Ale". Archaic stylistic descriptions aside, this is an Ale that I find to be very engaging and enjoyable; Bone dry with a bright mandarin orange pith acidity, lush barrel character, and a refined stone fruit presence. Also, it is suitable for indefinite aging into the future.
- Hop Project #15 : For this draft-only version, we hopped our Hop Project #15 with Ahtanum and Columbus as mash hops, First Gold and Galena at the beginning of boil, Ahtanum and Cascade at the end of boil, and then Galena as the dry hop. It's a bit of a departure from the last three or four Hop Projects - Quinn, our head brewer, developed this recipe and was looking for a more mellow, longer-lasting bitterness. So this one doesn't hit you over the head with bitterness at first, but the fruity, mellow hop flavor gives way to hoppy prickliness in the long aftertaste.
- Abita Select Pilsner : Our Pilsner is similar to the Czech original, but all of the flavor characteristics are slightly intensified. The beer is slightly darker, maltier, and has more hop aroma. The water in Abita Springs is very similar to that in Pilsen and we do not artificially adjust it to achieve the authentic pilsner taste. Our Select is made with Pilsner, Munich, Cara Munich, and Cara Pils malts. In keeping with tradition, it is hopped and dry hopped exclusively with Czech Saaz hops. The resulting beer is a dark golden color with a sweet malty taste and floral hop aroma.
- Mocha Death : For this seasonal offering, we started with Irish Death, our dark smooth ale that presents a full malt flavor laced with caramel, chocolate, dark fruit, and a touch of sweetness. To this heavenly ale, we added fresh, locally roasted espresso beans and pure cocoa. The result is a bit of confusion, “should this go in my coffee mug, or my pint glass?” Answer: both. This beer is up front with enormous coffee aroma, with the cocoa playing the sideline, until the taste. Lacking bitterness, the flavor comes forward with a rounded balance of coffee blending gracefully with the creamy malt body and soft cocoa flavors. Dark beer, chocolate, and coffee.
- Jacked B Nimble : A jump from one of our seasonal favorites, this Imperial Black Pumpkin Ale pours dark and is jacked with the taste of toasted oak and rye. Pumpkin and spice aromas play with flickers of barrel-aged character kindling tight bitterness and a bold caramel malt finish.
- Sour Diesel : Small batch, barrel aged Dark Sour Ale
- The Public Ale : The Public Pale Ale is brewed in the classic American Pale Ale style. Assertive bitterness backed by C-60 and Vienna malts which lend notes of rich, yet semi-dry caramel. Then followed up with a nice white grapefruit and citrus aroma that begs for a follow up sip.
- Final Entropy : We’re excited to introduce Final Entropy — our collaboration with Jackie O’s Pub & Brewery in Athens, Ohio. For Final Entropy, we kept things remarkably simple and made a Kolsch inspired beer. For those who’ve been following us throughout the years, you’ve probably noticed how in addition to making barrel aged sour beers inspired by breweries like Jolly Pumpkin, fruit refermentations inspired by breweries like De Ranke, and spontaneous fermentations inspired by breweries like Cantillon, sometimes we like to brew simple, little, hoppy, dry beers for enjoying around the brewery. A visit from our good friend Brad Clark of Jackie O’s gave us a chance to indulge in this desire.
- Kerouac Kolsch : Brewed with pilsen malt and a touch of wheat, this classic German Ale is the brainchild of our own Steve Mosqueda. Fermented colder like a lager but with ale yeast, this straw colored crisp ale has a slight fruity note, a touch of maltiness and is extremely drinkable.
- Arminius : Schell’s Arminius is a showcase of a unique blend of German, French, and American hops. It’s brewed with over 2.5 lbs of hops per barrel, and double dry hopped for a distinctly hoppy lager with wonderfully fruity and floral hop aroma. A clean malt bill combines with the crisp, smoothness that can only be achieved from a traditional lager, providing the perfect platform to highlight the hop character. Distinctively different, distinctively hoppy. Keep cold & drink fresh.
- Sisyphus' Smile - Pilot Batch : Embrace the darkness and absurdity of life! Chocolatey, roasty build with subdued earthy hops.
- Hearts Alive Double IPA : Hearts Alive Double IPA features a copious amount of American hops well balanced by a firm malt backbone. Dry-hopping with Simcoe, Bravo and Summit hops drives the complex aromas and flavors of our DIPA. Flavor packed and smooth.
- Chasing The Dragon : This intense and assertive double IPA is a benchmark for the style. A clean malt backbone supports an intense array of fruity, citrusy, and piney hop notes. Brewed with almost 5 pounds per barrel of hops, this American ale showcases every part of the flavor spectrum one would expect from hops grown in the USA. Finishing with an intense bitterness, this beer pairs great with buffalo wings and classic bar food.
- Spring Fever : A sure sign of spring is our seasonal release Spring Fever, a Raspberry Hibiscus Ale that is both tart and tasty, refreshing and delicious. Malt, hops, raspberries and hibiscus flowers conspire to create an easy drinking, fruity beer that celebrates the new season. Consider Spring sprung.
- White Birch Indulgence Ale : Permit us to indulge our creative side. Made with copious amounts of chocolate malts. Highlights include sweet chocolate aromas and dark chocolate and coffee notes in the finish. Smooth, deceptive and decadent. Not a stout, not a porter, pitch black and just plain fun. The chocolate malt and our grain mill disagree vigorously so we only make this from time to time.
- Human Adult : Human Adult is our latest collaboration with our dear friends Trillium Brewing Company. A few months ago we brewed a beer at their place called Adult Human. It was a DIPA with 100% Citra hops and blood orange purée. For this one we wanted to do something that was #thesamebutdifferent. We started by using the same malt profile and yeast, then we decided to switch up the fruit purée and the single hop. For our version here at The Veil we went with pink Guava purée and 100% Vic Secret hops.
- Secession Black India Pale Ale (CDA) : Called "a Black IPA/Cascadian Dark Ale/India Dark Ale" by the HUB headbrewer.
- Kuhnhenn Dunkel : This dark brown German lager is dominated by Munich malt, with a bready and malty nose. With mild caramel and chocolate notes this beer is robust while being drinkable like a lager. It leaves the palate malty with a medium-dry finish.
- Blackcap Black Raspberry Reserve : This NW style Sour Ale started out as blond ale that was aged for one year before spending 10 days on 60 pounds of blackcap raspberries. Think Nouveau Beaujolais with blackberries. Vinous aromas of tart blackberries start this beer off. Sharp acidic notes of tart berries on the palate lead to a sharp dark berry taste that leads to a prolonged dry fruit note. This one off barrel is a blender favorite.
- Imperial Porter (Brewmaster Series) : Long Trail Imperial Porter features a complex, darkly roasted malt flavor complemented by a thin, creamy head. The abundance of malt is balanced with a variety of hops, creating a clean finish. The recipe has been a homebrew secret that was developed by one of our own brewers. We are proud to present Long Trail Imperial Porter...ENJOY!
- Boscos Schwarzbier : This beer is broadly in the category of German beers called “schwarzbiers”. “Schwarz” means “black” in German and is an obvious reference to the beer’s color. Unlike most black beers, however, this beer does not have the burnt, acidic flavors commonly associated with dark beers. The beer is very drinkable with the smooth malty flavor of toasted malts.
- Ouroboros : Introduced on 8/8/08. This Double IPA is absolutely overflowing with hoppy goodness. Curacao Orange gives it a distinct, fruity twist.
- Chicha : Dogfish Head Chicha is most closely based upon Peruvian brewing traditions. We've sourced indigenous ingredients to make the most authentic interpretation possible: organic pink Peruvian pepper corns, yellow maize and organic Peruvian purple maize. We also use local (US) strawberries - a traditional chicha ingredient that we chose to source locally as we were worried Peruvian strawberries would spoil in transit.The most exotic and unique component of this project, from the perspective of the American beer drinker, happens before the beer is even brewed. As per tradition, instead of germinating all of the grain to release the starches, the purple maize is milled, moistened in the chicha-makers mouths (which we did right here three weeks ago in our Rehoboth brewery), and formed into small cakes which are flattened and laid out to dry. The natural ptyalin enzymes in the saliva act as a catalyst and break the starches into more accessible fermentable sugars. On brewday the muko, or corn cakes, are added to the mash tun pre-boil along with the other grains. This method might sound strange but it is still used regularly today throughout villages in South and Central America. It is actually quite effective and totally sanitary. Since the grain-chewing (known as salivation) happens before the beer is boiled the beer is sterile and free of the wild yeast and bacteria you would find in modern Belgian Lambics. Dogfish Head Chicha is 6.2% ABV, cloudy and unfiltered. It has a beautiful-purple-pink hue from the Peruvian corn, strawberries, and tree seeds - it's dry, fruity, complex, and refreshing. We hope you enjoy drinking this beer as much as we enjoyed making it!
- Scottish Ale : Crimson in color, this robust beer has a medium body. Both its flavor and aroma are a complex blend of toasted toffee and caramel notes. This ale is dry and warming with a faintly smokey finish.
- Mørke - Pumpernickel Porter : Brewed in collaboration with Shelton Brothers. Lots of rye malt and spices inspired by the dark German bread.
- White Birch Dubbel : Belgain Style Dubbels have a history going back to the mid 1800s. Our interpretation of this style is a ruby mahogany colored beer highlighted by toffee, caramel and dark ripe fruit notes with a subtle dry finish. Great on it’s own or paired with chocolate, red meats or fish.
- Porter : The quintessential beer of the British working-class, this dark, smoky-sweet ale incorporates Pale Malt Two Row, Munich and Black Patent malts. At 5.7% ABV don’t hesitate to order a second Pint!
- Mill Street Schleimhammer Roggenbier : Roggenbier is an ancient style of beer from Germany that actually became extinct for 500 years it is unfiltered like the Wit beer because the style predates filtration. A lot of bad language was used during the first brew, to earn the name Schleimhammer meaning “Slime Hammer” in German, after the mess it caused. We learned a lot and the second brew went better. Producing a delicious beer with a hint of dryness from the Nugget hops and some rich fruitiness and aroma from the German Hefeweizen yeast.
- Starkbier! : German for "strong beer" Lawson’s weizenbock style ale is a dark, spicy, and strong wheat bier. It is brewed with all imported German malts, noble hops, and special weizen strain of ale yeast. A fitting tribute to Stark Mountain and her mad legion of fans.
- Dolly Varden Nut Brown : A delicious nut brown ale with wonderful malt flavors. Good balance of chocolate, caramel sweetness and a modest nutty flavor up front. Some dark toast and slight hop profile in the background.
- Winter Spice Ale : A brown lager is the base for this winter seasonal brew. We added spices during the kettle boil and again in the serving tank to infuse the beer with a complex spice profile. Star anise, cardamom seed, orange peel,cinnamon, nutmeg and a few other's create the spicy flavor combination. 
- Payback Porter : American hops provide a smooth distraction for Payback Porter’s robust strength, which is concealed within the shadows of dark imported malts. Brewed with English chocolate malts and rolled oats, this Robust Porter pours a deep chocolate brown and is rich in roasted malt aromas and coffee flavors. With notes of espresso, baker’s cocoa, and sweet, toasted maltiness, Payback finishes with a creamy mouthfeel.
- Belgo Black : A medium-bodied, Belgian-style porter with a strong black malt flavor up front and finishes with fruity characteristics.
- White Zombie Ale : Although named as a Halloween seasonal, Zombie's refreshing taste makes it a year round staple. It is brewed in the Belgian witbier tradition of using unmalted wheat to create the light body and white sheen. Additions of coriander and orange peel give it a fruity and spicy character, while the hops are subtle and lightly detected. Don't be scared to blow the head off a Zombie and drink up!
- B-Bomb (Bourbon Abominable Winter Ale) : Lovingly referred to by Fremonters as the B-BOMB, this bourbon barrel-aged edition of our winter ale has a warming spicy aroma and rich carmelly notes of bourbon, wood and vanilla added to dark roasty chocolatey malt flavors and subtle hopping.
- Black Damnation II - Mocha Bomb : "Black Damnation II is yet another blend with the use of Hel & Verdoemenis from Brouwerij De Molen. This time even more complex than BD I.
- Scratch Beer 27 - 2010 (Cocaoabunga) : Scratch #27-2010 begins a new fold in the Scratch series. For the next several batches individual Troegs brewers will create recipes of their choice. First up, The Ticeman had a hankering for a sweet stout, so the Troegs brothers and all the brewers met with Scharffen Berger Chocolate Company engineers to eat ridiculous amounts of cocoa nibs and chocolates over a few pints of beer. This collaboration resulted in the delivery of a special blend of cocoa nibs that were added during the boiling process. In addition to the nibs, lactose was added at the end of the boil to give a little sweetness in the body. The addition of Galena and Simcoe hops lends a subtle fruity balance. After primary fermentation, the beer was aged for three weeks on a blend of cocoa nibs and Ugandan vanilla beans. Dubbed Cocaoabunga, this unfiltered beer has a pleasant cocoa aroma, a subtle sweetness in the mouthfeel, a full-bodied flavor, and hints of vanilla. Enjoy!
- Fixed Gear : The energy and audacity of the fixed gear courier inspired us to create Fixed Gear, a big, bold American Red IPA. It pours a glaring crimson tone with a rocky white head and a brilliant floral-citrus aroma, thanks to an aggressive Centennial, Cascade, and Chinook dry hopping. Gratuitous amounts of dark caramel malts lend Fixed Gear its immodest, malty spine, while Chinook and Cascade hops impart its balanced citrus bite. This one’s got an attitude!
- Kuhnhenn Cherry Oud Bruin : This is a Flanders Sour Brown Ale which has the characteristics of sherry with a sweet fruity aroma. It is dark reddish brown in color and is high in acidity, sweetness and sourness. This is a complex beer that should be imbibed with notice to it’s high alcohol content.
- Tail Waggin' Double White Ale : Tail Waggin’ Double White Ale is brewed in the Belgian tradition, using malted barley, wheat malt, candi sugar and a unique touch— unmalted rye. Noble-type hops are used for balanced bitterness, with spices added in the whirlpool. We followed the Belgian tradition of using bitter orange peel and coriander, then added a bit of lemongrass to make our wit something special. Finally, we fermented the beer with a Belgian witbier yeast that adds its own complexity with spicy phenols and fruity esters.
- Imperial Stout Trooper - Bourbon Barrel Aged : An American Imperial Stout brewed with a blend of roasted malts producing chocolate, dark fruit and coffee notes then aged in bourbon barrels adding notes of oak and vanilla. Brewed every year in the early winter. 
- Sierra Nevada Dark Forces Baltic Porter : Brewed with the help from our friends at Pizza Port near San Diego. This beer is a deep russet-brown with heady malt aromas. It has layers of roasty, malt-driven flavors, with notes of chocolate and smoke and hints of black cherry-like fruity highlights. The beer finishes medium-dry and is surprisingly drinkable for something so complex.
- La Ferme' De Demons : "Black farmhouse ale brewed with Belgian Pilsner, French Wheat, Candi Sugar, roast malt and farmhouse yeast. Aged for 6 months in three barrel types; Pinot Noir, Oregon Oak, and Bourbon with Brettanomyces. After barrel aging and blending, this dark ruby black ale is further matured with a touch of Oregon Tart Cherry."
- Porter : Dark in color due to chocolate/roasted malts w/nice creamy head from flaked barley.
- Peak Organic Summer Session Ale : A traditional summer wheat beer marries a West Coast pale ale. Locally grown wheat provides a complex mouthfeel and Amarillo dry hopping gives a citrusy aroma.
- Brainless Belgian-Style Golden Ale : Brainless Belgian-Style Golden Ale is has a rich and complex malt flavor balanced with a little bit of spicy noble hops and strong influences of fermentation esters from the Belgian yeast used. Various Belgian like Rock Candies, hops and grains are employed to express variations within the style. Deceivingly drinkable, some liken theses ales to Devil sneaking up on you, so consume responsibly.
- White Birch Barrel Aged Indomitus (Batch 1) : Barrel fermented, untamable, fierce; Indomitus. This Wild Ale is fermented in oak with our house yeast, a blend of brettanomyces and aged hops. It’s brought to you unblended and uncut, creating a sharp, tart flavor with fascinating fruit notes.
- Red Light Honey Wheat : Red Honey Wheat Lager brewed with pale malt, white wheat and sweet honey malt for the dark color. There's no cloudiness in this filtered lager, just a deep sensuous red color and unique flavor.
- Hatch Plug Ale : A classic English ale made with pale malt, crystal malt, Fuggles and East Kent Goldings hops providing fruity aromas to work with the subtle malt flavors.
- Highlander Premium Beer : A smooth Scottish (not scotch- style) style ale with a rich complex malt bill, Highlander isn’t too heavy or too light; a great session ale.
- Narragansett Fest : Vienna, Pilsner, Light and Dark Munich malts make up the backbone of this beast, and Northern Brewer & Tettnanger hops are added to give it a crisp but subtle hop flavor.
- Blonde Ambition : This blonde ale captures our lively spirit in a glass. It’s bubbly, fruity and fresh, with a sassy ending. It’s the perfect choice any time of the year, but favored at the beach, the boat or at your summer BBQ. Invigorating and inviting, this blonde will sweeten your appetite and leave you wanting more. We can’t reveal all of her secret ingredients but you’ll have fun discovering them all summer long!
- Mephistopheles' Metamorphosis : Begian Tripple brewed with 100 percent Pilsner malt and a blend of three Belgian yeasts which impart a fruity and spicy flavor and aroma.
- Ghoulschip : Allagash Ghoulschip is our version of a pumpkin beer. We brewed it, on Halloween 2008, with a monster mash that included shredded Maine pumpkin and toasted pumpkin seeds. After much toil and some trouble, molasses were added to the boil. The wort then spent the night outside, in our Coolship, possessed by the yeasts of beers past. In the morning, the cooled wort was racked into a stainless tank and pitched with our house yeast. After primary fermentation the beer is then transferred to oak barrels. Ghoulschip fermented and aged in the dark recesses of our cellars for almost three years. The resulting beer is light bodied and pumpkiny in color. Apricot dominates the aroma, with vanilla and caramel lurking in the background. The flavor profile is scarily clean, with a dry, tart finish that will haunt you. Boo.
- Odd-ummm : An off-centered autumn honey beer brewed with 55% barley, 45% honey, and gesho root. Gesho is an African plant used for its bittering properties, and is used in the traditional Tej style brews of Africa. We also added 45 pounds of local peaches from Fifer Orchards during fermentation to add complexity. This beer was fermented with champagne yeast and it is mildly sweet, smooth, and complex. It has notes of honey and ripe stone fruits.
- Farmers Daughter : Oktoberfest beers was first brewed in the mid 1890's based on the Vienna styles of beer at the time. They were originally brewed in the spring, cold stored throughout the summer in cellars or caves and served in autumn at traditional German festivals. Farmer's Daughter is a traditional German style Oktoberfest beer using various European specialty malts. We created and elegant and complex, rich malt forward beer hopped it for balanced and lager for a clean finish.
- Spider : Spider is a dark sour brew aged in Cabernet wine barrels with lots of chocolate and roasted malts.
- Cream Dream III: The Search For Hops : Cream Dream III: The Search for Hops is a West Coast Style IPA. It is the third time around for our Cream Dream Series and is more or less a conduit for the hops. CDIII:TSFH is hopped with Simcoe, Citra, and Centennial which lend heavy grapefruit, mango and tropical fruit flavors.
- Brainless On Peaches : We took our double gold medal winning Brainless Belgian, added organic peach puree and aged it in French Chardonnay casks from Sawtooth Winery. Drink from a Pinot glass, serve on the warm side of cold, it develops nicely as it warms displaying more fruit and wine.
- Irish Channel Stout : This is an American style stout that has sweet malt flavors of caramel and chocolate, complimented by a crisp bitterness produced by roasted barley and American Hops. The complex malt bill of pale and roasted malts result in this well balanced stout that is smooth, rich, dark and delicious! And watch out – ABV 6.8%!
- Winter Session Ale : This winter wheat beer uses dark malting to provide subtle toasty notes. We then single-hop and dry-hop this beer with Citra hops from our friend Brad’s farm. Interesting pineapple notes from the Citra hop provide a stark contrast to the toasty notes in the body. An engaging and sessionable Winter Seasonal.
- Existent : Existent represents the philosophy behind Stillwater Artisanal. We strive to define ourselves through our passion and sincerity while accepting that not all aspects of life are readily explainable. To manifest this ideology we present an ale of intrigue. Deep & dark though deceptively dry, braced by a firm yet smooth bitterness and accented with an earthy hop and mild roast aroma. This is an ale for you to define...
- County Line - Farmhouse Ale : A very complex, yet easy drinking, Farmhouse style ale fermented with Belgian yeasts, brettanomyces, and a variety of cultured bacteria.
- Funky South Paw : Pale Ale, fermented with pawpaw fruit and refermented on our house cultures
- Neustadt Mill Gap Bitter : A typical English bitter ale. A great session beer. Using all English ingredients, the only Canadian ingredient is the water! Pours a rich amber colour, the fruitiness of the hops shine through.
- Jack London ESB : Jack London ESB is brewed in the English tradition using fine Maris Otter pale ale and crystal malts balanced by East Kent Golding hops. This Extra Special Bitter has a rich, biscuity malt profile, slightly fruity yeast notes, and soft hop character.
- Banyan Brown Ale : Strength comes in many forms. With our Banyan Brown Ale, the flavors develop slowly and wrap around your taste buds. You’ll taste notes of chocolate and a certain nutty hoppiness that will inspire you to ask for a second pint.
- Odin Oatmeal Stout : Our “Oatmeal Stout” is bold yet balanced, rich and roasted with a delightful creamy and smooth-bodied profile. Dark-roasted coffee aromas and flavors of espresso, bourbon and semi-sweet chocolate entertain you palate and transcend you into a divine enjoyment of this ale.
- Chicago Coffee Stout (Dark Matter) : "**Coffee Collaboration Series** A rotating series with local coffee companies. This "blend" is with Dark Matter Coffee Company's Ganesha."
- India Pale Ale : A base of pale, Munich, and Carapils malts is just enough to contain the massive hop flavor and aroma packed into this highly drinkable IPA. A blend of four American hop varieties is added four times in the kettle and twice in the fermentor for a complex and layered hop experience. Best served at 45-50˚F in a tulip or English style pint glass.
- Warnhem Kloster Ale : Malts: Pilsner, pale ale, dark wheat, Münchener, chocolate, pale and dark caramel
- Old Richland : Our spin on an American-style barley wine, and we we say "our spin", we mean it's super hoppy. Dry hopped with Simcoe, Centennial and Sterling hops, a real piney and citrusy flavor shines through the dark, caramelly malt backbone. Some may think of it as more of a double IPA than a barley wine, we just think its delicious.
- TV Party : Our rye IPA is clean and refreshing, brewed with 2-row malt and flaked rye for toasty, nutty undertones up front, but with a huge hop flavor and aroma from the Amarillo and Fuggle hops.
- Banana Split Chocolate Stout : Dark chocolaty stout with caramel, toffee and roasted malt flavors. Crisp and smooth with distinct banana overtones.
- Flight Delay Imperial IPA : "Hopped with over 15lbs of Citra and Simcoe hops. Aromas of juicy tropical fruit with a hint of northwest pine."
- Ryeclops Imperial Rye : Ryeclops is dominated with a mouthful of distinct rye malt character complimented by the spicy fruity hoppiness of American high-alpha simcoe hops.
- Clocktower The IPA : This classic English style beer has a rich caramel color. It has a more complex bitterness than that of the other beers; however it does remain soft and flavorful. Our blend of four hops comes through as grapefruit or citrus notes in the flavour.
- Box Of Chocolate : It's Difficult to express Love's nuances, much like the complexity of this Belgian style Chocolate Quad. You Might use a Box of Chocolate to express your love, we use it to demonstrate our passion for great beer.
- Wagging Tail Wit : A Belgian Style Wheat Beer, this White Ale or Wit, is spiced with Whole Coriander Seed, Bitter Orange Peel, and pounds of Mandarin Oranges. Light in color and body, this hazy beer has a wonderful fruity aroma from the spices and yeast still left in the beer. A perfect summer beer, but great year round as well. OG - 12.5 FG - 2.8 IBUs - 15 ABV - 5.3%
- Monumental IPA : DC is known as the City of Monuments, and our Monumental IPA is a fitting tribute. Monumental IPA is distinctive for its complex aromas and flavors, and it strikes a perfect balance between hoppy bitterness and malty sweetness.
- Tap It IPA : This first wort-hopped IPA has a harmonious explosion of hop flavor and aroma. A hazy head leads drinkers toward a beer rich in citrus and earthy flavors with a smooth and rich finish. The complex floral and citrusy tones from the Citra and Simcoe hops welcome you, while two more aromatic varietals mate perfectly with specialty malts for an unmatched aroma.
- Dubhe : Toasted, chocolaty dark malts align with an astronomical amount of hops.
- Breakside Aztec : "If mole were ever to be turned into a beer, it would taste like our Aztec ale! We brew this American, or "Mexican strong ale" with chocolate and chile to create a unique digestif of a beer. Despite this beer's dark golden color, it has an aroma filled with chocolate: dry cocoa, chocolate-covered banana, and a little bit of chocolate-covered raspberry. There's a strong sweetness on the front of the palate that mixes more chocolate, honey, and fruity flavors (the fruit flavors here come from both the chiles we used as well as the higher alcohols produced during fermentation). These aggressive flavors give way to a warming finish--the chile character is cumulative, but combined with the booze in this beer, it leaves a persistent warmth in your chest. Sip this one slowly and enjoy
- Oaty Goat : A collaboration brew with Leinenkugel's,brewed with brewed with Weyerman dark Munich malts and Dingemans Special B malts as well as 90 pounds of wild oats per batch. 
- Saddle Bronc Brown : Don’t get thrown by this one coming out of the tap handle!! While dark in color, this Brown ale has a remarkably light mouth feel making it a great beer any time of year. The malt profile showcases hints of caramel, roasted nuts and cocoa. Just like the Rodeo Announcer says…. “Let’s make him feel a little better on SATURDAY NIGHT!!”
- Wagon Box Wheat Ale : No story of how the west was won is complete without a tale about The Wagon Box Fight that took place 15 miles from Sheridan outside Fort Phil Kearny, and no Brewery located in the heart of the West would be complete without a great Wheat Beer. This ale has hints of tropical fruit, and citrus flavors along with subtle yeast flavors and aroma.
- Cosmic Speculation Barleywine : Description- An intense, complex, huge beer. Massive malt wonderfully balanced with bittersweet hoppiness, earthy aroma, chewy palate...a lot going on here that will make you contemplate the cosmos and beyond. Limited release. 45 IBU
- Emma Belgian Abbey Trippel : This Belgian style strong golden ale is a warming 9%, has awesome notes of plum and ripe fruit and a distinct malty finish. Emma Goldman was a noted anarchist lecturer, an agitator for free speech, a champion of the arts and a pioneer advocate of birth control. Wow!
- Comeback And Guzzle Spiced Belgian Dark Ale : Named after the 'kalmbach and geisel' brewery owned by Dr Seuss' great grandfather,this dark Belgian strong ale is brewed with saaz hops, 6 different specialty malts, Belgian trappist yeast and spiced with clove, nutmeg and cinnamon!
- 5 Lizard : 5 Lizard is a creamy and refreshing wheat beer with some spicy complexity and light touch of passion fruit for a delicious and slightly exotic flavor.
- Lunch : Our “East Coast” version of a West Coast-style IPA. Intense hop flavors and aromas of tropical and citrus fruits and pine dominate. A subtle malt sweetness brings the beer into balance.
- Wilder : Wild in character, dry in body and complex enough to make you come back. Wilder takes an english wheat ale and brings it to the wild fields of Belgium with Brettanomyces bruxellensis to produce the horsey, leathery aromas.
- Black Fox Faust Part 2 : A delightfully refreshing Spring Saison. Light, crisp, and slightly fruity. This 6.2% ABV "session" beer was brewed using rose hips, orange zest, and a pinch of lemon zest.
- Notorious B.I.P. : American Style Black India Pale Ale. We used an American base malt, Caramalt, and dehusked CaraFa with an addition of cold steeped Black malt to give this IPA its black color. Falconer’s Flight and Columbus hop additions result in an aggressive hop character for a dark beer. The flavor of an IPA style ale meets with hints of roasted dark malts.
- Kichesippi 1855 : The beer is 5.2% alc. and offers the palate a balance of dark malt notes with a clean, short bitterness on the finish. The name, 1855, is our way of saluting the great city of Ottawa that has been so good to us.
- Double Black Diamond Extreme Stout : A very roasty and full-bodied, Foreign-style extra stout. This wonderfully rich stout gets most of its dark color from lots of unmalted roasted barley. Flaked barley and torrified wheat are added to enhance its creamy head. Bronze Medal Winner, 2007 North American Beer Awards, American Stout Category.
- Who's Brett? : Strong Dark Sour Ale.
- Dark Apparition - Nano Maipel : Dark Apparition aged in maple-syrup infused Tuthilltown Bourbon barrel, with brett/lacto.
- Le Saisonniere : Tart grisette-style saison brewed with oats, spelt, and buckwheat. Aged in gin barrels offering additional soft botanical complexity.
- Spruce Beer : North America’s oldest beer style brewed with local Spruce & Fir tips, blackstrap molasses and dates. Dark amber and brown colouring. Aroma is a comforting mix of spruce boughs, caramel malts, molasses and dates. Complex and full-bodied, it balances the crisp bitterness of spruce and fir gum with the warming flavours of molasses and bittersweet chocolate.
- Blacksox Porter : This dark malty ale is brewed with loads of English Chocolate malt, a touch of dark crystal and a hefty amount of Amarillo hops - creating a complex and delicious ale with hints of chocolate covered mandarin oranges. Shoeless Joe and Judge Landis would agree on this one!
- Amsterdam Elementary Ale : A blonde ale brewed with a single variety of malt, hops, and yeast. This beer has the body and restrained bitterness of a traditional German Helle, with the aromatic complexities of great North American Session Ales. Made with Vienna Malt, Columbus Hops, and English ale yeast.
- Hop Syndrome Lager : A deliciously hoppy lager, this clean, spicy, yet fruity addition to the Exponential series is sure to quench your summer palate just right!
- Honey Pilsner : Light and crisp, our Honey Pilsner has great flavor for an easy drinking beer. It is golden in color, with subtle fruit-like flavors balanced with noble hops. A delicate floral aroma is achieved with addition of honey, which is sourced from the Ebert Company, an Iowa-based apiary. Drink carefully, you might catch a buzzzzz!
- Blackbeerd : An English-style stout with a fuller and creamier body than other commercial dry stouts. The dark grains combine with a light malt sweetness to give the impression of chocolate or coffee, though all of these flavours come from the barley itself. Jet black with a persistant tan head, this 5.3% ABV beer gives you all the flavour you expect from a proper stout, with a gentle sweetness to balance the assertive roast.
- Red Tape Lager : Navigating the labyrinth of brewery licensing and state regulations isn't easy. When we finally got the green light, we also got inspired with the perfect name for our pilot brew. Red Tape Lager has a full malty flavor typical of Bavarian dark lagers. It's brewed with 100% Dark Munich Malt. Additions of Glacier hops for bittering and noble German hops for aroma strike a balance between American and European flavors.
- Thing 1 : Brewed for the 2011 Beer Advocate Belgian Beer Fest. This golden ale has an aroma of biscuit malt and citrus fruit, coupled with the flavor of grapefruit rind. Its grassy bitterness makes way for a dry, clean finish.
- Autumnal - Red Wine Barrel-Aged : Dark saison aged in red wine barrels
- Flame Tamer : This beer's low bitterness and simple malt profile make way for the hop's Citra, Mosaic, LupuLN2 Cryo Hops, and Denali. The combination gives it a nuanced profile of ripe fruit, citrus and pineapple.
- Wild Oats Series No. 13 - Weiss O'Lantern : Weiss O'Lantern is a weiss (white) beer brewed with pumpkin. Orange-hued with a tall creamy head, the pumpkin, citrus fruit, and spice flavours shine through a full wheat body. The finish is lively, zippy, and darn refreshing!
- Urban Nomad Malt Liquor : Inspired by the droves of “Urban Nomads” commonly found bumming cigarettes outside of the JCTCS student center drinking various malt liquors. This high octane ale is brewed with a generous amount of ‘Mercian grown corn and a whole lot of pilsner malt. Clean and bright yellow in appearance, and single hopped with Czech Celesia hops for a slightly fruity taste and mellow bitter. Enjoy, and sorry we don’t have any change.
- Dunkel Weiss : Brewing a hefeweizen has been on our minds since moving in. The huge, fruity aromas of bruised banana and fragrant cloves along the lightly tart, refreshing finish of a well brewed wheat beer is undeniably enjoyable. We used 5 different types of wheat in this brew, adding to just over 40% of the total malt content. Using Crystal and Midnight What Malts introduced some sweeter caramel and roasty flavours and also brought this Hefe to the Dunkel side (dunkel is German for dark). This batch is more of a caramel or toffee coloured unfiltered wheat beer, leaving room for future brews to dial up the colour. The yeast that fermented this ale is a historic German Hefeweizen yeast strain, and the resulting flavours and aromas speak well to the style.
- Quadrupel Tonnellerie : Our Tonnellerie series is the perfect showcase of our "wildly traditional bière". French for “cooperage”, each beer in the series shares one core trait: they were all fermented in oak. Beyond that, the recipes and styles are as unique as the cues they take from nature. Quadrupel Tonnellerie, a sour and funky barrel-fermented Belgian-style quadrupel with blackberries, is no exception. A style known for being at the more malty, complex and rich end of the Belgian strong ale spectrum, this quad revels in layers of dark fruit and figgy flavors, and complimentary undercurrents of oak. The natural esters from the Belgian yeast compliment the rustic, earthy and wild qualities derived from the barrels and nature - plus the piquant flavors from the fruit - for a dynamic flavor profile and mouthfeel that will evolve over time.
- Static Chipmunk : A light bodied, assertively bitter and dry finishing IPA. Static Chipmunk pours a hazy gold color, with a huge aroma of tropical fruit and pineapple, imparted by American hop vareities, Amarillo, Simcoe and Mosaic.
- The Madam : Our imperial sour ale returns with a dose of passionfruit. Because passionfruit rules.
- MoonJuice IPA : A wheat IPA that features hops from our friends in the southern hemisphere (Galaxy and Nelson Sauvin). Almost 40% wheat malt, but is fermented, hopped, dry-hopped, and filtered like a west coast style IPA. The wheat makes it a very satiable beer and the aroma will carry loads of citrus and tropical fruit.
- ABC Bomb : American Black C (citra, cascade & Chinook) hopped Ipa. We’ve backed off the dark malts to really allow the hops to shine & thrown in a dash of rye for good measure. Black as the night with a big aromatic hop presence.
- Sofie Paradisi : Sofie, as you have come to know and love her, is a saison brewed with orange peel and aged in wine barrels. Keep citrus in the family, Paradisi uses grapefruit. 60% ale aged in barrels with grapefruit, 40% ale.
- Queen Of Hearts : The Queen of Hearts is a Lambic style ale fermented with Brettamonyces, a type of wild yeast native to the Senne valley in Belgium. She has been hiding in red wine barrels with blackberries for the past 8 months, but don't let the blackberries in this beer fool you! Her majesty got rid of the sugary sweet flavors in the fruit for a more unique, dry, and refreshing taste. The wild yeast gives it a slightly sour, earthy character.
- Get Schwifty IPA : Hazy, peachy, light bodied and creamy, this 7.4% is heavily late hopped with a variety of hops. The cast of characters includes Chelan, Mandarina Bavaria, Simcoe, Ariana and Callista hops, and pale, pilsner and wheat for a grain bill. The real superstar in this beer is the yeast, though which leaves behind a ton of soft stone fruit vibes that compliment the hop oils well.
- Faithfull Ale : Faithfull Ale is a celebration of Pearl Jam's 20th anniversary as a band and its extraordinary debut album, "Ten." In recognition of these milestones, this Belgian-style golden ale is delicately hopped to 20 IBUs and fruit-forward from 10 incremental additions of black currants over a one-hour boil. Faithfull clocks in at 7% ABV.
- Scratch Beer 56 - 2011 (Single Hop Simcoe) : Here’s another Scratch test batch designed to delight our customers. Due to a minor flaw in a brewing program, we lost some of the mash when it was transferred to the brew kettle. A quick-thinking brewer modified the hop-load and created our first-ever single hopped beer. Bronze in color with a dry finish, the lead flavor is intense grapefruit and a fruity backbone derived from Simcoe hops. Please enjoy our mistake, and rest assured the modifications have been completed so it doesn’t happen again.
- Canada Gold : The people who live everywhere truly deserve a beer brewed with the best the land of Canada has to offer. This beer was inspired by our friends to the north and is a simple take on a classic "premium" Canadian Lager. It is a full flavored beer that drinks easy It is beer like beer used to be, no fruit, not sour, no barrels, just beer.
- Fogg Spiced Saison : Collaborating with Mystery Brewing Company in Hillsborough, NC, we brewed a saison with American hops, English malt, Belgian yeast, and Eastern spices. Fogg, named after the protagonist Phileas Fogg in the Jules Verne classic Around the World in 80 Days, showcases a garam masala spice blend. In this fruity brew, you'll find coriander, cinnamon, cumin, cloves, cardamom, bay leaves, star anise, and fennel. All the good spices without that curry heat.
- TenPine Chocolate Porter : A true chocoholic's dream, this amped up version of Three Creeks’ popular FivePine Chocolate Porter features double the chocolate malt and double the dark Belgian chocolate in the boil along with organic Cacao nibs added in the conditioning tank.
- Le Kriek Noir : Authentic Lambic Kriek from Brouwerij Oud Beersel blended with foeder-aged dark sour and matured in our original wine barrels
- Jolly Pumpkin / Upland Brewing Persimmon Ship : Saison brewed with persimmon and dragon fruit. All naturally occurring wild yeast, aged in French and American oak.
- Rye Amber : The rye gives this brew slightly more body than regular amber and a unique aftertaste found only in beers with rye malt. Nutty, malty, and smooth, this amber is bound to satisfy.
- Weihenstephaner White Hoplosion : This unfiltered wheat beer from the beer aficionados of the World‘s Oldest Brewery Weihenstephan combines the typical balanced fruity wheat beer flavors with fine distinctive hop notes which create an ultimate sensation of taste!
- SWISHR Cherry : Smoked malt is one of the more dubious tools in a brewer's bag because thresholds are vastly different. What to one palate is a hint of bacon or a whiff of BBQ to another is ashtray or Band-Aids. How can Carton ignore playing this game? Where can smoldering aromatics go off the beaten craft? in SWISHR we have reassembled the deconstructed aspects of Swisher Wrap. Rich dark malts brought smoky by the addition of oak smoked pale wheat, touched with sour cherries and a heavy plug of hops that smell like their cousins. Drink SWISHR and hand me down a 50-pack.
- Tusk & Grain Barrel Aged Blend No. 01 : For our inaugural barrel release, we present to you an expressive union between hand crafted beer and American Oak. We carefully designed three beers, Imperial Porter, Imperial Stout and Barleywine, to mature in some of Kentucky's finest bourbon barrels and the result is beautiful. Overwhelmingly rich. Staggeringly decadent. This beer challenges complexity by bringing toffee, chocolate, dark fruit and oak to our palate, all while maintaining the essence of what defines a great barrel aged beer. Whether you enjoy fresh, or age for years to come, we offer you this as a representation of all that is Tusk & Grain.
- Roses Are Brett : An Amber Saison using Cara Red, dry hopped with Citra and Saaz, fermented with Brettanomyces and then filled with Raspberries to enhance that red fruit colour and flavour.
- 22 : Let's get some French toast! This big brew is rich & malt-forward with a complex backbone of specialty malts, spices and orange peel. Sweet, bready, caramel flavors should prevail along with hints of smoke, spice and citrus. Liquid version of a classic breakfast…
- Karen : The first in a series we've titled "The Wonder Beers." Karen is a free-spirited American Blonde, who rebels against conservative guidance, pursuing a more adventurous, fruit-forward hop experience. She also lives in a bit of a haze, thanks to a friendly, Vermont based DIPA yeast strain. Karen intrigues just enough, but keeps the plot hidden.
- Zenith Grapefruit Gose : Zenith Grapefruit Gose (pronounced Gose-uh) is a traditional German-style sour ale with a touch of coriander and salt. Our interpretation of this style includes grapefruit for a refreshing beer, perfect for springtime when the sun re-emerges above our celestial sphere
- Schwartz : Schwartz is an 85% wheat Dunkelweizen brewed with a modified decoction mash to enhance the caramel and chocolate flavors of the malt. A light palate highlights the complex interplay of delicate fermentation esters. Schwartz is a highly sessionable, lightly sour black ale. Pairs with grilled meats, aged cheeses, hearty soups and sweet desserts.
- Leaping Lena Imperial Red Ale : This Imperial Red Ale is named after a 1927 Lafrance Fire Truck, which was the only thing standing after a tornado devastated downtown Gainesville in 1935. The Leaping Lena is a rich amber to copper in color and entices with aromatic notes of chocolate, vanilla, and spicy undertones. It is medium to full bodied providing a great mouthfeel without being heavy to the palate. Use of Bravo hops provides a very well balanced, clean finish with slight hints of pine and very subtle fruit.
- Dough Head Gingerbread Ale : Mix and pat, and bake in a pan, get this gingerbread ale while you can. Dough Head mixes the best of brewing and baking to create a beer with a touch of spice that is balanced with a malty sweetness. So instead of a trail of breadcrumbs through the dark forest, follow this delicious treat for a pint of perfection!
- Saranac Blueberry Blonde Ale : Saranac Blueberry Blonde Ale is a traditional blonde ale with a kick of juicy blueberry. You'll notice a light golden haze from wheat malt and oats and a low hop bitterness, which really shows off the fruit. With a medium-light body and fresh blueberry flavor, we're sure we've captured refreshment in a bottle!
- Thumbprint Dubbel : Ancient traditions dictate this Belgian style Dubbel was brewed with a long kettle boil, pitching a blend of yeast strains and bottle conditioning encouraged with Belgian Candi Sugar. Dan’s insistence on old world methodology creates the complexity of the Strong Ale you hold 18°P. Sipping will reveal a cordial of caramel and spiced fruit notes. This makes it perfect to lie down in your cellar or enjoy by the fire tonight.
- Gosezilla : No Way Gose with Guava fruit added. Characters of lemon, ripe apple guava, tropical juice, and cereal wheat grain with a restrained salt presence. This is a bright, fresh, and tart ale with a refreshing finish.
- 30 Hours : With 650 pounds of NJ peaches sourced from Robson's Farm in Wrightstown, NJ. Called an Imperial Pale Ale with over a pound of fruit per gallon.
- Peachy Keen : A hoppy IPA brewed with 15 pounds of fresh New York peaches and honey for an anniversary party. Chris liked IPAs, Megan liked fruity beers, so we combined them into the best of both worlds for their Anniversary Celebration.
- Cyrano : Cyrano Saison Ale interweaves delicate flavors of fresh mangoes and tart sour cherries, with sprinklings of honey and the grapefruity characteristics of a fresh Citra hops.
- Dia Oscuro : Dark Lord aged in Ardbeg barrels
- Stout : Here is a beer for the dark beer lover who also wants to get their hop fix. Malt character consists of dark roasted malt and fresh brewed coffee flavors held up by a thick malt backbone from Maris Otter. This stout is generously hopped with Cascade, Centennial, Chinook and Columbus. This is the perfect combination of a full-bodies stout and American hop deliciousness.
- Saranac Red IPA : Our Red IPA is a twist on a traditional west coast IPA featuring a deep red color from European dark caramel malts. We brew with generous amounts of American hops including Calypso, Palisade and Chinook to give this IPA a distinctive hop aroma. You'll notice a strong hoppy flavor with caramel malt undertones and a unique color that gives this IPA a whole new personality!
- Midwest Red IPA : Our definition of balance. This beer is red in color with notes of tangerine, stone fruit, and hoppy dankness all supported by hefty malt backbone.
- Abbey Ale : A bright fruity yeast aroma blends smoothly into a light caramel malt body with nutty toffee notes and a dry, biscuity finish.
- Freckle : Freckle is a robust imperial stout that has been infused with the essence of an elegant Mexican molé. The dark, roasted barley in this 10.8% abv stout has been accented with a touch of rich chocolate and a hint of south of the border spice for our interpretation of the unique, sweet & savory sauce used throughout southern Mexico.
- Merkel (Balaton) : This batch of Merkel Balaton exhibits notes of red blowpop/red jolly rancher, ginger, nutmeg, white pepper, lemon peel, rose petals. Tasting nice and juicy now, but will surely develop some tertiary fermentation characteristics with time. This is not a sour beer, it’s a #realfruitbeer. We use real, whole cherries grown just up the road and let mature beer chill on the fruit for a couple of months at least to coax out some very special flavors and aromas. We don’t use purees or concentrates. This is a real #countrybeer
- Sweet Revenge Pale Ale : We start with the highest quality Harrington malted barley and blend in small amounts of specialty malts to give this golden ale a simple yet complex malt depth. During the boil, loads of citrusy American hops are added late in the kettle, giving an assertive hop profile that takes center stage.
- Barrely Wine : Our Party Wine base Barleywine recipe that has sat for 3 months in Soldier Valley Whiskey Barrels. A 12% ABV beer that starts with a touch of toffee on the nose, then sweet and malty with a touch of hops and dried stone fruits in the flavor, finally a kiss of whiskey and slight oakiness.
- Dwarven Power Bottom : Dark Lord aged in Muscat barrels.
- Single Hop: Nelson Sauvin : Our single-hop rye pale ales are created to showcase the flavor and aromas of individual hop varieties. The grain recipe is kept the same and only the type of hop is changed from batch to batch. Nelson Sauvin is a hop native to New Zealand that has a bold, fruity flavor similar to Sauvignon Blanc grapes.
- Sweet Oblivion : A Strong Black American-style Ale. Full-bodied and smooth with fruity dark maltiness and minimal dark roast flavors. Aged with new American oak and 10-year-old tawny port for extra complexity and dark fruit flavors.
- Passion House Coffee Porter : A dark, malty robust porter brewed with cold pressed coffee from Guatemala Puerta Verde beans. The Alvarez family has been producing coffee at Finca Puerta Verde since the end of the 19th century. Flavor Notes from Joshua of Passion House (2021 W Fulton): Passion Fruit, Lemon Zest, Raisin, Milk Chocolate-The lively nature of this Guatemala punches your cheeks with bright tropical fruits, pineapple and passionfruit, the sides of your tongue sparkle with clean crystalized sugar and citric acid.
- Grand Cru : Our bright and fruity take on a malt-focused Belgian-style beer. Candy sugar coaxes a complex, rich caramel iced sweetness to balance the naturally expressive yeast strain.
- Pacific Gem Single Hop : This Single Hopped Pale Ale is built on an English malt base of Golden Promise, 2-Row malted barley, and Caramalt to allow the hop qualities to shine through. Pacific Gem’s hop intensity presents top notes of pungent pine and grapefruit rind accented by guava with a long, lingering finish.
- Saint Arnold Ale Wagger : A beautiful, deep copper brown ale. It has a full, malty body with hints of chocolate, a touch of sweetness and a light hop flavor. A complex malt character is created by combining five different types of malts. It has a rich, creamy head with a fine lace. The light fruitiness, characteristic of ales, is derived from a proprietary yeast strain.
- Mitchell Estate Reserve : Imperial dark sour bourbon barrel-aged fruited with blackberries and blueberries.
- Beer Camp Across The World: Dry-Hopped Berliner-Style Weisse : Texas' Saint Arnold Brewery takes a broad view of beer styles, mastering everything from traditional German-inspired recipes to big experimental creations. Together, we teamed up to brew this dry-hopped Berliner-Style Weisse. Featuring a fruit-forward hop character backed up by a snap of mild tartness, it boasts a flavor that's complex, compelling and very drinkable.
- Barbera Grape Lambic : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Streak Breaker : New England style India Session Ale brewed as our 2017 edition of Ales for ALS. This hazy, juicy ISA is highlighted by its bright hoppy nose and follows through with tropical fruit flavors including stone fruit, grapefruit, and pineapple.
- Calyptra : This hoppy lager is brewed with two intense and aromatic hops, Calypso and Citra. It’s an easy drinking brew that balances dominating fruity, citrusy, and tropical aromas with a sessionable malt body.
- Black IPA Research Series : Formerly known as Dark Hop Ale
- Ultra Passionate : IPA brewed with passion fruit
- Winter Warmer : Deep amber colored ale, rich malty flavor and aroma with a distinct biscuit and caramel character, just a hint of fruitiness followed by a solid hop finish. Brewed with a blend of American, British and German malts. Apollo hops and a classic British ale yeast. 18.5 degrees Plato, 8% ABV, 60 IBU.
- Farmlandia : Farmlandia is a wheat beer fermented with Saison yeast. Saison is French for “spring time in a hay field” which is not true, but it describes that very sensation. A better more exact description of Saison tells us that this beer is: citrusy, spicy, effervescent, bubbly and light-medium bodied. Farmlandia is made with pilsner malt which carries a larger malt and sweet flavor than basic brewers malt. The white wheat gives this beer a light golden color and light body as well as giving the beer a slight haze. Farmlandia has a crisp, clean malt profile and the French Saison yeast provides some spice in the aroma, a light fruitiness, and crisp and dry mouthfeel.
- Hi-Pitch India Pale Ale : A western North Carolina IPA that does not apologize for balancing a sturdy malt backbone with citrus-forward aromas and a lingering bitterness. Expect big grapefruit flavors from the plethora of hops to balance out the malt in this well-balanced ale.
- New Hop Smell : Our New Hop Smell is finally here and it features experimental hop #06297. These exp hops have been around for a while but often take over a decade to grow, inspect, and commercialize, and so, aren’t often used. Due to increasing prices of more traditional hops and growing creativity in the industry, these bad boys have become more and more popular. Carrying the flavors of its parents, Eastern Gold, Apollo, and Cascade, hop #06297 brings out flavors and aromas of tangy tropical fruits, berries, and hints of vanilla.
- North Fork Lager : This American Lager has a laid-back personality and pairs well with just about all edibles. Hops bring a mix of woody, green, floral and fruit notes with subtle herb and spice character. North Fork is a sessionable beer with lower alcohol content for a quick, smooth run. Pack plenty for your post river run refreshment.
- Italian Plum Weizenbock : Deep mahogany color, aroma of fruit, plum and raisins, rich body of caramel, fruit and a touch of chocolate with a dry finish. Italian plums are from Seedling Farms in South Haven, MI.
- Mariposa Midnight : Dark, bold, and full-bodied, this stout is flavorful and will remind you of a campfire outdoors. Aged on toasted oak chips, this beer carries a noticeable burnt coffee and chocolate flavor with a touch of vanilla.
- Motley Cru 2013 : Of all our barrel-aged releases, this one certainly meditated the longest. By selecting barrels that had been aging for over a year, we were able to extract some of the very first beers brewed here at Bellwoods. Aided by the help of a veritable army of bugs, this blend of a sour, golden Tripel with a fruity, barrel-aged Quad is deliciously complex, showcasing leathery notes from Brettanomyces alongside cherry, red grape, and a muted tartness that offsets the residual sweetness. On one hand, Motley Cru is a culmination of our efforts over the first year of operation, on the other, it's just a perfect beer to sip and savour.
- La Lupulosa : Our most coveted beer, La Lupulosa has large amounts of American hops that give it intensely fruity and citrus aromas and flavors.
- Saison Bretta : 100% Bretta Saison was primary fermented in French oak barrels with Brettanomyces and aged for 11 months. This Farmhouse ale showcases bright citrus fruits, light barnyard funk, and a refreshing dry finish.
- Big Island Saison : A dark saison infused with freshly roasted Kona coffee.
- Louisville Belgian Ale : Rich and malty Belgian Ale with moderate fruity/raisiny tones and hints of spice. 6.5% ABV, 25 IBU
- Black Ale : Black Ale isn't really a style of beer, but rather a subjective name given to many beers when they really don't fit inside the realm of other dark beers like Porter and Stout. Our Black ale was developed with a particular hop in mind - Sorachi Ace - and was brewed for Schlafly's Fresh Hop Festival this year. We used a lot of dark roasted malts to balance the intensity of the Sorachi Hops and played to the hops strength as a first addition bittering hop. The end result is a rich, slightly creamy ale that has notes of citrus underneath layers of roasted aromas.
- Stony Joe : Stony Joe is a Golden Mocha Stout. It is designed like a traditional Milk Stout but without using the typical roasted dark malts. Instead we use a boat load of rich, decadent golden colored English barley, flaked barley, flaked oats, and flaked wheat to give it lush body and smooth sweetness. We then ferment it on Cocoa Nibs and add fresh locally roasted Guatemalan Coffee, directly to the fermenter. We are excited to partner with Redding Roasters Coffee Company of Bethel, CT on this mind bending beer.
- Oatmeal Stout : Our Oatmeal Stout is brewed with 10% Oats and three specialty malts. At 40 IBUs and 7% ABV, this brew covers a soft and supple flavor spectrum of coffee, black licorice, and dark chocolate.
- Galactic Wrath : In August 2012, for the First Year Anniversary at our Tap Room and Restaurant, we decided to take two of our favorite Dust Bowl beers…Galaxy Pale Ale and Son of Wrath Double IPA…and formulate a new IPA recipe using elements from both beers. The result was a delicious, bold IPA with the fruity, citrus character and malt backbone of Son of Wrath, as well as the tropical aroma and easy drinkability of Galaxy Pale. It was so popular with our fans, we decided to brew more.
- Òrach Slie : Orach Slie (or “Golden Nectar”) is a variant of Schiehallion Craft Lager matured in casks from the multi-award-winning, family-owned Glenfarclas Distillery. In contrast to the punchy, dark Ola Dubhs aged in casks from the wild isles of Orkney, Orach Slie is a much lighter, easy-going beer that reflects the softer, sweeter malts of Glenfarclas which nestles in the rolling Speyside moors of Banffshire. Having trialled a variety of different beers, the brewers settled on a lightly-hopped, high-abv version of Schiehallion to perfectly complement the classic, honeyed-sherry malts of Glenfarclas.
- Goose Winter Ale : Layered with rich, nutty chocolate notes and malty, roasted caramel flavors, our brown ale gives you plenty to contemplate on long winter nights.
- Green Man Buxton Bitter : This classic British pub ale is low in alcohol, full flavored and served nitro style for maximum creaminess. Brewed with the finest English floor malted pale malt, crystal malt, and a hint of chocolate malt and hopped with English Fuggle & Goldings for a subtle fruitiness and balanced bitterness.
- Brethren's Sessionable : Brethern's Sessionable is the ale you drink with your friends when you are hanging at the tavern just telling stories and ordering pint after pint. The beer is a low alcohol blend of American malts. A light brown color the beer has a wonderful nutty, malty and slightly chocolatey flavor with a just the tiniest amount of hops to keep it honest. Grab some friends, sit down and enjoy a Brethern's.
- Wild Oats Series No. 14 - Dr. Jekyll : Am I a kolsch or a marzen? A little bit of both I say... What's that? Mr. Hyde rapping at my door methinks.... The delicately malty, slightly fruity character of Lug•Tread dances lockstep with the more intensely bready, biscuity backbone of Night•Märzen, while taming some of its hop intensity. This blend is a perennial favorite around the brewery.
- Spring Street Saison : Spring Street Saison is a Belgian style farmhouse ale. The Saison is our flagship brew that helped spawn the formation of Avondale Brewing Co. Our Saison is brewed with our proprietary house yeast, a 4 malt blend and traditional Slovenian hops. Our unique brewing process along with the combination of the finest ingredients creates a thirst quenching brew with no equal. True to style this unfiltered ale has a coppery golden color and rich malty backbone that creates a unique farmhouse brew. Flavors burst with tropical fruit that combine with hints of spicy and peppery notes that are derived from our house yeast. One sip and you will fall in love.
- Beach House Ale : Our Gold Coast take on the traditional French Farmhouse ale. Light bodied, low bitterness and dry, makes this easy drinking. Delicately hopped, giving tropical aromas whilst letting the yeast shine through with zesty fruit & spice
- Teripax : Berliner Weiss brewed with coconut, pineapple and passion fruit.
- Bear : Nearly four years in the making, Bear is Tree House brewer Brendan’s recipe and his first scaled commercial batch. It has all the characteristics of a classic English Brown Ale with a distinct American twist. Bear pours a nearly opaque dark brown with a sticky caramel colored head. Aromas of toffee, caramel, chocolate, and earthy hops prep the palate for the wonderful flavor to come. We taste toffee, brown bread, caramel candy, varied nuttiness, and a melange of dark fruit. The earthy hops dance throughout and are balanced beautifully by a brown sugar sweetness. Delicious. Bear is one of the best food beers we have ever had - it pairs brilliantly with nearly everything… including nothing! A lovely and unique example of a brown ale and one we are quite proud of Brendan for creating! Brewed in honor of those who leave a lasting and influential impression on our lives.
- Double Trouble Pale Ale : This strong pale ale has a deep golden to copper color, medium body, medium maltiness and low caramel character. Floral and citrus-like American-variety hops have been used to produce high hop bitterness, flavor and aroma. Fruity-ester flavors and aromas are strong. 
- Hawaiian Lounge Juice : Soak up the sun, toss a tiki umbrella in your glass, and get down with Hawaiian Lounge Juice. The sweet-tart blend of passionfruit and mango, kissed with the pineapple and orange aromas of Azacca and Citra hops, make for a deceptively drinkable IPA. 
- Juiceless : Wicked Weed and Creature Comforts love the citrusy, crisp, hoppy flavor of fruited IPAs, but we wanted to put a unique twist on this delicious style. For this collaboration beer, we cracked the juicy code without using any fruit. Is it hoppy? Of course. Smooth? Certainly. Juicy? THE JUICIEST. Made with fruit? Absolutely not. All the fruit flavor, all from the hops. This beer IS what it ISN’T.
- Twister : Twister is a golden colored fruity Ale with a distinguished hops note.
- St-Ambroise Black IPA : St-Ambroise Black IPA is a dark and hoppy unfiltered beer who’s secret resides in the use of Northwest ‘’C’’ hops like Cascade, Citra, Centennial and Chinook. This special beer has a toasty malt character with the accents and aromas of traditional India Pale Ales. Taste and enjoy!
- UFO Gingerland : It took a while for us to come up with a UFO beer that could withstand the darkest days of the year, but the warmth of ginger combined with the seasonal spice of cinnamon and clove form a perfect companion for a visit to Gingerland. Brewed, not Baked. Poured, not sliced. Inspired by a classic tale. Deliciously spiced. Welcome to Gingerland.
- Coconut Porter : This Coconut Porter’s bright, pleasing malt character is cradled in a soft, cushiony and smooth mouthfeel that easily glides down the throat with each swallow. Lip-smacking hints of coffee and chocolate readily move across the tongue as the dark body gives up its aromatic coconut roastedness. Northern Brewer and Willamette hops provide a mellow treat. Most fully enjoyed slowly from a City Lights goblet glass which allows the emerging and progressive nutty aspect of this coconut porter to take center-stage at mid-palate. Well-rounded and bursting with flavor, the flavor integrity is maintained until the very end as the exceptional smoothness finishes with a malty expresso finish. The hazy black body gives picturesque support to the ivory-colored foam. At about 5.3 ABV, City Lights Coconut Porter is a fine sessionable libation for any time of the year!
- Boont Bruijn : Complex beer brewed with redwood tips and New Zealand Nelson Sauvin hops - 35% was soured in stainless steel - of the remaining beer 60% was aged in red and white wine barrels and 40% split between Brandy and Bourbon Barrels for aging. All of these beers were blended with a small amount of Grand Cru (Brother Davids’s Belgian ales aged in wine barrels).
- Real Boy 2xIPA : American Style double IPA brewed with the local Pinnochio's Beer garden. This beer was brewed with Galaxy hops that gives it a passion fruit character in the aroma and flavor.
- Citra Extra Pale Ale : A single hop, West Coast style American Pale Ale with intense hop flavor and aromas. This is a citrus bomb that has grapefruit and passion fruit aromas with citrus lime flavors.
- Reprise Centennial Red : The Centennial hop is the centerpiece of our American Red Ale. Reprise pushes the limits of a single hop with an amazing bouquet and stunning bitterness all the way through. The citrus character provides an experience you will want to repeat. Reprise is crimson in color with aromas of citrus fruit and biscuit malt.
- Embrace The Funk - Brett Saison : A rustic farmhouse ale brewed in the best Wallonian tradition, with additions of rye malt and multiple strains of Brettanomyces , creating a bouquet of pepper, tropical & dark fruit. 
- HOODOO : Forged in the bowels of the Meadville bayou, this IPA ushers your soul down a twisted journey on the 7C's. This Voodoo brew will insight your dark side and open a portal to your hoppier senses. The 7C's alchemic concoction of 7 different hop varieties starting with the letter "C" conjures your taste buds into a piney-citrus paradise fit for a Hoodoo doctor.
- Incarnation : RESURRECTED [-] Rise up and tantalize your taste buds with the Mosaic hopped IPA! Resurrection pours amber in color with a firm off white head. Look for loads of tropical flavors in this medium bodied IPA. Aromas of passion fruit, pineapple and candied fruit dominate.
- The Mighty Shorse : The Mighty Shorse is a dank and fruity Imperial IPA brewed with a blend of Azacca, Citra, El Dorado, and Motueka hops and peaches. Very hazy and dark copper in color with an off white and frothy head, The Mighty Shorse smells of floral citrus and fresh peach. Initial flavors of sweet peach are quickly matched by notes of dank citrus followed by a slightly bitter finish. This medium-bodied and refreshing Imperial IPA has a thick and juicy mouth feel.
- Summer Honey Citrus : Belgian spicy yeast nose of pepper, white grape and vanillin intermingles with honey sweetness and citrus zest. We used 6 types of citrus (key lime, meyer lemon, blood orange, tangerine, mandarins and persian lime) to create a profile that screams citrus but ambiguously. Our honey addition was done post fermentation to preserve the layers of flavor from San Diego Honey Co. Grapefruit Blossom Honey. The beer fills the palate with a wheaty body which quickly dissipates due to high carbonation and attenuation, leaving a refreshing, slightly tart, finish.
- Sudachi Table : Wheat table beer fermented in oak with a house mixed culture incorporating Brettanomyces and Lactobacillus. It was then aged in puncheons with Sudachi fruit zest and juice. Refermented in the bottle with Brett.
- Miami Gras : Introducing Miami Gras, a French-style saison inspired by the heritage of New Orleans, the eclectic cocktails of Bourbon Street and the outburst of cultures that come alive during the season of Carnaval. Brewed with orange-blossom honey and juniper berries, Miami Gras is a dry yet fruity beer with notes of pepper, citrus and spice. It’s a beer brewed for celebration, pairing perfectly with feathered masks, sparkly beads and the beat of the street.
- Dry-Hopped Saison : Hop aromas of juicy tangerine and pineapple couple with pronounced fruit flavors and green, grassy notes. This hoppy saison has a clean, refreshing finish.
- Sierra Nevada Ruthless Rye IPA : Rugged and resilient, rye has been a staple grain for ages and its spicy black pepper-like flavor has been prized by distillers and brewers for centuries. Rye thrives in the harshest conditions and comes to life in Ruthless, a rugged IPA with fruity, citrus and herbal hop notes countered by the dry spiciness of the rye. Holding a steadfast balance between contrasting malt and hop character, Ruthless is bold enough to inspire even the most brazen hop head to bear down and embrace the flavor.
- Crooked Stave Wild Wild Brett "Green" : Wild Wild Brett Green is an Empirically Hoppy Brettanomyces Ale. Fermented entirely with Brettanomyces yeast and over 3lbs of hops per barrel of beer. Green pours a golden hue delivering fruity and citrusy aromas from the use of Galaxy hops, while the Brettanomyces yeast add their own tropical fruit and funky undertones to the finish.
- Queen-OA : Cherry blossom color, Ruby Red grapefruit aroma, effervescent citrus flavor, light body.
- Coffee Coconut Stout : As you may have guessed from the creative name, CCS is an 8.6% ABV stout brewed with heaps of toasted coconut and freshly roasted coffee from our friends at Zoe’s Cafe & Events here in Downtown Greeley. The sweet, creaminess of the toasted coconut offers a perfect complement to the complex character contributed the Mama Nelly’s coffee, a blend of four different roasts of the same direct-trade Peruvian beans.
- Cake, Icing : Cake, Icing is our rich and vibrant but still comforting “white cake, white icing” Double IPA. Brewed with sticky rice in the mash and gently spiced with a dash of coriander. Hopped and dry hopped intensely with Mosaic, Cascade, Citra, Chinook and Columbus. Conditioned atop a heavy amount of guava fruit and Madagascar vanilla bean. As we have been known to do, we are pushing ever deeper into the luscious abyss of culinary IPA. Big notes of peach rings, guava pastry, and grapefruit gelato in this number.
- Apple-Weisse Wheat : “Snitz” means dried apples in PA Dutch, hence an apple flavored beer. Its creamy texture has notes of honey and finishes with a hint of apple - enough to please the fruit lover yet subtle enough to be enjoyed by all. 4.8% ABV, 19 IBUs
- Harry Doesn't Mind IIPA : Harry Doesn't Mind uses our new alternate yeast strain, and is all about lush stone fruit. Peaches and apricot jump out of the glass.
- Magical Brettanomyces Tour #4 : Curious about Brettanomyces? With our 7th Anniversary Project we’ve developed a series of 7 unique beers with the same base Saison recipe built with amaranth, lemon grass, grains of paradise, and rose hips. Each individual beer within this series is fermented from start to finish with 100% Brettanomyces and aged on French oak Chardonnay barrels. Each beer within this project is fermented with a single unique Brett, showcasing the dramatic diversity of the organism. Originally called ’Funk Weapon,’ this recipe is a blend of 2 feral Bretts isolated by our friend Jeff Mello at Bootleg Biology. Living up to that name this Brett blend goes very ’funky’ and aromatically musty. The essence of tropical fruit is present in the palate which is balanced nicely by a reminiscent green peppercorn spiciness and an earthy calm finish.
- Blitzen 2013 : Though it beholds no actual hallucinogenic properties, we do hope the 2013 version will give you visions of sugar plums dancing in your head. This tart and fruity brew boasts a one third sour mash foundation with the addition of fresh blue plums and lemon zest.
- 7*11 Blonde Ale : Light, crisp, and refreshing! Light bread notes from the malt with a slight fruit aroma from the yeast and hops.
- Beekeeper - Yellow Birch-Aged : Imperial IPA brewed with Honey and conditioned on Yellow Birch. The floral bouquet of aromas from the honey works in tandem with the hops from America and New Zealand to create a truly unique aromatic experience. Lemon, honey drizzled croissant, and tropical fruit notes brought by conditioning on Yellow Birch lends subtle complexity to a rich malt backbone and an explosion of citrus hop flavors.
- Cheree : Part of the Featured Funk series where mixed fermentation fruited wild ales are aged 18 to 22 months in Sauvignon Blanc oak puncheons. We then conditioned each beer that we felt complimented the best attributes of each base beer. 
- ReDANKulous : reDANKulous Imperial Red IPA is a no frills, bold 9.5% ABV India Pale Ale. It pours a pleasing burnt amber with some sweetness due to the Caramalt and roasted barley used in the malt bill. But hops are the true headliner in this elaborate sensory experience. The spicy, piney, tropical complexities of Chinook, Mosaic and Simcoe hops hit you right away with their dank aroma—and they stick around. Take a sip to have your palate simultaneously walloped and caressed in all the right places. Combined, the hops take the beer to 90 IBUs. It’s not just ridiculous. It’s reDANKulous.
- Cooking With Gunpowder : Boom. Cooking With Gunpowder is a golden IPA made with heavy late additions of Citra and Mosaic hops, bringing huge citrus and tropical fruit notes. A blend of Golden Promise and Pilsner malts create a base that allows the hops to shine with a clean finish 
- King Copra : For those that remember our coconut stout, Copra Kai, we decided to take it up a notch! We are pleased to introduce King Copra - a bigger, bolder, more coconut-y version of the 'Kai'. This decadent imperial stout is full of dark chocolate, vanilla, light roastiness, and serious MOUNDS of fresh coconut flavor. 
- Molé Merlin : Are you ready for our Molé Merlin? Today we’re releasing our first stout made at the Propagator. Taking inspiration from Mexican molé, we added chili peppers, vanilla, cocoa nibs & liquid cacao to an oatmeal stout base. The result is slightly spicy with hints of dark chocolate & a malty backbone.
- Devil's Envy : Devil's Envy combines our deep love of beer with our other passion, whiskey. The first in the Inner Circle Series, this limited barrel-aged brew redefines balance. Rich molasses, smooth vanilla, and a familiar Tennessee bite derived from the American White Oak harmonize with the dried fruit notes and caramel malts from our ENVY amber. Of all the sins, this is the Devil's favorite.
- Paradisiac : A blend of two different barrel-fermented mixed culture beers with grapefruit (Ctirus Paradisi) puree, and fresh (hand squeezed, just ask us about it) lemon and orange juice. Bright, funky, and sour.
- Trillium / Evil Twin - WETSUIT : Summer is back and it’s time to dive into another project with our friends from Evil Twin! Building on the base recipe of our previous beach inspired collaborations, Trilliki and Board Shorts, we’ve once again bumped up the malt bill and increased the dry hop of Amarillo, Citra and Mosaic to create this Triple IPA. With an appearance of vivid yellow straw, Wetsuit offers an engaging nose of Meyer lemon, orange pith, and overripe pineapple. The palate bursts with tropical flavors of juicy mango, sweet clementines, creamy honeydew melon, ripe stonefruit, and subtle vanilla. A soft, fluffy mouthfeel provides a full body and a smooth finish with a balanced bite.
- Cashmere Pale Ale : Brilliant gold in the glass, with a sweet, fruity nose. Light malt sweetness is followed by mild resinous hop notes and a subtle melon finish. As smooth as the name suggests.
- Hazy Little Thing IPA : We're constantly brewing new IPAs looking for bold hop flavor. With this beer, our brewers thought it was so good that we decided to serve it straight from the tanks - unfiltered, unprocessed, and raw - to let all the fruit-forward hop flavors shine. The result is a hazy beer with modest bitterness and intense hop character. To some, making an unfiltered hop bomb may seem crazy, but to us, its a hazy little thing called IPA.
- Funk-n-Delicious Bleuet : Funk-n-Delicious Bleuet is a blonde ale, spontaneously fermented with wild airborne yeast. It is then transferred into Gwerztremainer barrels for a secondary fermentation, of which Brettanomyces is the majority. This "Brett" gives the beer its distinct "funky" characteristic. Once the "Velo de Flor"of yeast drops into suspension, it is transferred into Johannesburg Riesling barrels with fresh blueberries to age, until the desired balance of "funk" fruit and filigree is achieved.
- Half-Nuts Rye : A tribute beer from Milestown Brewing of Miles City, MT, the brewery that Draught Works Brewer and Co-Owner, Jeff Grant’s father owned and operated for over ten years. The recipe is a play-off of Milestown’s original “Half-nuts Rye”, with a few minor tweaks and an increased gravity to achieve the desirable “winter warming” effect. What a great time to commemorate and show appreciation for the upbringing that helped inspire Draught Works! Half-Nuts Rye is a full bodied Brown Ale brewed with Pale, Crystal, Chocolate and Munich malts, along with a portion of malted rye to create a slightly spicy, nutty rye character to further add to the complexity. There is also an addition of natural hazelnut, further enhancing the subtle nutty-character. Half-nuts Rye is hopped with traditional English hop verities lending an earthy aroma, blending well with the malt and nut character.
- Black IPA : Harpoon brewer Matt DeLuca took over the brewhouse for our 40th 100 Barrel Series offering. A newly released specialty malt from Briess called Midnight Wheat gives this beer an almost stout-like appearance without the overly roasty attributes often associated with traditional dark malts. Flaked barley is also used in the malt bill for head retention. An intense yet diverse hop addition schedule is executed during the boil that results in a well balanced offering.
- Pentucket Dark Ale : German Dark Ale w/ Cascade
- A Little Crazy : A citrusy and refreshing Belgian-style pale ale hopped with Cascade, Citra, and whole Crystal hops for massive aromas and flavors! Fermented with our Belgian Wit yeast for an extra dose of complexity, this one is very drinkable and extremely aromatic.
- Murray's Anniversary Ale 4 (2009) : Each year’s there’s a twist on the base recipe. For the first time, this year half the batch was transferred to American Oak casks for extended maturation. This ale was then blended with the second half and fermented, before being bottled and corked in champagne bottles. As with previous years Murray’s Anniversary Ale 4 is an intense mix of sweet, nutty caramel malt flavours and an aggressive hop bitterness and flavour from the New Zealand Cascade and Pacific Hallertau hops.
- Last Days Of Summer : Last Days of Summer is a refreshing unfiltered fruited sour fruit. Aromas of mango and peach lead into a mild Tartness up front. Finishes with a clean fruit essence and a touch of sweetness. At 4.2% ABV, this easy drinking summer beer is perfect for taming the Florida heat.
- Such Passion : Our passion fruit IPA. Brewed with wheat. Hopped intensely with Mosaic, Simcoe, and Amarillo.
- The Pike : Dark sour mild ale with maple mesquite walnuts and coffee.
- NWPA 511 : This is the Final installation of US grown experimental hops for this year. Hop #511 displays a very clean bitterness with light fruit and herbal aromas.
- Midnight Ride Stout : Our dry stout is a medium to heavy bodied dark ale with a complexity all it's own. The creamy flavor gives way to the deep roasted coffee notes, lending to it's rich aroma. Brewed with a generous helping of grain and enriched with Mt. Hood and Cascade hops, this stout is one which can be enjoyed by any pallet.
- Homespun Moon : A dark mild brewed with plenty of high dried malt. Comforting and simple.
- Bretta Rosé : Thirty miles north of Barrelworks lies the fertile Santa Maria Valley. Its warm days and cool marine layer-fed evenings allow for a cornucopia of fruits and vegetables to be grown in its rich soil. One of Santa Maria’s crown jewels is locally grown raspberries. We jumped at the opportunity to ferment fresh local raspberries with one of our Barrelworks creations. Behold Bretta Rosé! A low-alcohol Berliner Weisse style ale, acidified and matured in French oak puncheons for 6 months, is the foundation for this gem. Add 1000 lbs. of fresh raspberries, allow a secondary wild fermentation for 4 more months and voila (!), we have a crisp effervescent concoction, bursting with raspberry perfume and flavor, a rosé color, bracing acidity, and a clean and refreshing finish.
- Elise Belgian Blonde : A hazy and fruity blonde with earthy hops and creamy mouthfeel from a large amount of toasted oats. 
- Filmishmish : Filmishmish, an Arabic term for “when the apricots bloom”, is a barrel aged sour blonde ale to which apricots have been added. The beer's already fruity esters are enhanced by the hint of fresh apricot jam and wood shavings. Filmishmish is a well balanced beer, keeping the apricot and oak character present, but putting the flavor of the well formed sour ale at the forefront.
- Birch's Tamarind Sour : Collaboration Brew with Indeed Brewing Co. Kettle Sour with Indeed's house culture with 100% Chevallier Heritage Malt, Amchur (Green Mango Powder) and lots of Tamarind Fruit.
- Enigmatic Taxa : For Enigmatic Taxa, we brewed with well water, Texas malted barley from Blacklands, Abbey malt, Biscuit malt, Carafoam, and Zythos, Cascade, and Simcoe hops. We took advantage of the cool winter night air in February and chilled the wort in our coolship. While the wort chilled in the coolship, it steeped with fresh grapefruit zest and juice. The next morning, we racked the wort from the coolship to a foudre with the yeast cake from a batch of Ol’ Oi still inside it. We didn’t add oxygen to the fermentation. After fermenting in the foudre for about two months, we moved the beer to a stainless steel tank and dry hopped it with more Cascade and Simcoe and an experimental hop called “X17” from The Oregon Hophouse. We packaged it on May 15th, 2017, and allowed the beer to naturally referment and mature for about four months prior to release.
- Apricotversary : This collaboration beer with Doyle's Pub and Taproom was brewed for their 1st Anniversary and our 4th Anniversary. Heavily soured with lactobacillus and finished with Saison yeast, this beer is light, easy-drinking and nicely tart. The additions of apricot, peach and purple plum give this beer an amazing aroma and vibrant fruit flavor.
- Blended Black Coffee IPA : We blended our Black IPA with cold brew Sumatra from Warrior Coffee in Fredericksburg, VA. Our Black IPA was brewed with Nugget and Cascade hops which balance with the spiced citrus and dark chocolate notes of the Sumatra coffee to create a bold, blended experience.
- Lazier Susan : This beer uses the Lazy Susan base, but is aged in French oak barrels with more fruit (bring the total to around 3 lbs of fruit per gallon). Lazier Susan is a sour wheat beer aged with a mix of yeast and bacteria (Lactobacillus, Pediococcus, Saccharomyces, and Brettanomyces) and then has organic Masumoto family farm peaches and nectarines added in barrel. This all develops into notes of funk, oak, racy acidity, and juicy stonefruit.
- Kinetic Calibration : Fruit forward, aggressively hopped, and aged on vanilla. This beer began its journey as a tropical New England style IPA. We then added tons of raspberry and blueberry along with a touch of vanilla. The resulting beer will pour a hazy purple body. Aromatics of freshly picked berries come through on the nose. The flavor profile is soft and fruity with a smooth hop profile followed by a hint of vanilla in the finish.
- LaGrave : Inspired by nature's untamed beauty, LaGrave (pronounced \l?-gräv\) is the first of our 12.7-oz. corked and caged bottle releases. Bottle conditioned and highly carbonated, this Triple Golden Ale is steeped in the tradition of strong ales originally brewed in Belgium. The unique Belgian yeast forms the bedrock of LaGrave’s complex flavors. Strong and alluring at 8% ABV, LaGrave boasts a sweet, fruity flavor with a well-rounded mouthfeel and semi-dry, lingering bitter finish.
- Beer Camp Across America West Coast Double IPA : Beer Camp Across America West Coast Double IPA clocks in at 8.5% ABV and features five hop varieties, two of which went into Sierra Nevada’s “Hop Torpedo” dry-hopping device and impart hints of grapefruit and a floral note that recalls orange blossom. A light malt body and dry finish complement the bold hop profile.
- Interboro / Carton - We Bring the Monkey With Us : Brewed with our friends from NJ, Carton Brewing Company. We mashed up their kettle soured mulberry juice infused Berliner brew with our Mad Fat Fluid recipe and well, made them both bigger. Pours hazy pale pink. Aromas of tropical hops and tangy mulberries. Palate is tart and tangy, with fruit sweetness and refreshing hop character. Brewed with wheat and pilsner malt, soured in the kettle with lactobacillus and fermented with our house ale blend. Hopped with Wai-iti, and Simcoe.
- Huzzacca! : This Azacca hopped pale ale boasts big mango and tropical fruit flavor with finishing notes of pine. It will have you yelling Huzacca! until your friends beg you to stop.
- Art Of Darkness : Let us now acknowledge the dark arts of brewing. Our limited edition Art of Darkness Ale is deep, dark and magical, with champagne-like carbonation and rich matiness from a complex recipe of multiple barley and wheat malts, as well as flaked oats.
- Bona Fide Imperial Stout : Bona Fide Imperial Stout is a collaborative effort with Goshen Coffee, a local fair trade coffee roaster. This beer is big, bold, and in your face. Bona Fide pours black as night with a smooth mouth feel. Aromas of espresso, dark chocolate, roasted malt, with nuances of vanilla. Drink now or cellar for up to 5 years.
- Belgian Sour - Bourbon Barrel-Aged : Remember the Belgian Black Cherry? We took the beer, without the cherries, and put it into bourbon barrels. This sour ale has a lot going on – roasted malt, dark fruit, and a lactic sourness, combined with vanilla from the oak and bourbon.
- Tunnel Bear : Tunnel Bear is a barrel aged Sour Rye Brown Ale. This beer is a dark brown in color and pours with a slightly off-white head. Tunnel Bear has aromas of fruit, lightly toasted caramel, and oak. Light in body, this Sour Brown Ale is initially tart, but moves into flavors of oak, roasted chocolate, and caramel. The finish is smooth with very little bitterness.
- G5 Golden Strong Apple : Fermented in Apple brandy barrels for 6 months. Sweet brown sugar nose with notes of vanilla, sherry and oak, make this beer perfect for sipping with cheese. Enjoy at cellar temperature to enjoy the robust complexity.
- Chouffe Soleil : CHOUFFE Soleil is a blond beer with refreshing and fruity flavors, the ideal beer to embarking on the first beautiful day to celebrate. CHOUFFE Soleil is an unfiltered beer, well fermented in barrel and in bottle. Seasonal Beer available from mid-April to mid-October
- Ode To The Dryer Hose : A barrel aged Belgian-style dark blend. It’s complex, with some subtle oaky tones mixing around the maltiness that finishes with a tart fruitiness. It’s got vintage characteristics written all over it with much to be appreciated.
- Cellar Society - WP1 : Brutaal, meaning “bold, audacious and cheeky” in Dutch, was one of the first recipes we scaled up, an homage to Orval with farm-grown, wild plum yeast and spicy Golding, Hallertau, and Saaz noble hops. Good thing we also stashed three barrels of it in French oak with a mixed culture heavy on Brettanomyces strains, notably C. The result is pure funky goodness, an aromatic and complex barrel-aged Belgian pale ale.
- Tango : Tango is a Belgian Dubbel that delivers layers of rich malt, dark fruit and caramel.
- Foederhead - Guava : Foederhead tart saison with Guava! Fresh, tropical, sweet and sour aroma of guava explodes from each glass. Dry &andeffervescent, but Foedergoblin don’t care. Oak foeder-fermented saison is his funky, fruity, lightly-puckering hustle. Drink up.
- NY2 New York State Grisette : This table beer uses all New York State malts and hops. Malted oats gives the beer a full mouthfeel and NYS Cascade and Willamette hops lend a balanced and fruity bitterness.
- Double Pot & Kettle : The addition of Dark Belgian Candi Sugar was responsible for furthering the depths of charred fruit and roasted flavors. This special sugar bumped up the abv to 9% but its tremendous fermentability resulted in that same smooth drinkability you come to enjoy in Pot & Kettle. We aged a portion of this 1.5bbl pilot batch on American oak staves and Vanilla Beans.
- Selassie - Coffee And Vanilla Beans : 10 specialty malts make up this majestic imperial stout conditioned on heaps of coffee and vanilla beans. Simple, yet complex.
- Sunshower : Sunshower is our Super Saison, a high-gravity farmhouse ale inspired by the ethereal refreshing mid-summer moments when we experience both rainfall and the heat of the sun in New England. Similar to our flagship Trillium, the mouthfeel is light and effervescent with a bright, golden hue. We allow the fermentation temperature to free-rise that favors the saison yeast strain’s in the blend to realize its full attenuation potential which results in a dry beer with strength and complexity. Layers of pepper and earthy characteristics that play nice with the crisp, smooth backbone of a pilsner and wheat malt bill. 
- Texas Harvest : Texas Harvest is the fruit of our collaboration with good friends at a picturesque Hill Country winery. We chose one of their signature grape varietals, a 2016 harvest Tannat from Reddy Vineyards in Brownfield, TX and blended the must with 18-month-old-Ananke then re-fermented the blend for 4 months in Charbono barrels. Inoculated with the oenologist’s worst nightmare–Brettanomyces bruxellensis and Pediococcus damnoisis–the resultant soft acides blend effortlessly with the smooth tannin character from the Tenna. A blend of tobacco, cherry and oak fill the bouquest, augmented through this inspired secondary barrel fermentation then bottle-finished with Champagne yeast. Texas Harvest also finished as one of our strongest wild ale creations to date, at 9.0% ABV. 1500 bottles available.
- Burton IPA : An IPA in the English tradition, subtle notes of nutty, toffee-like malt with robust earthy, floral hop character and a dry refreshing finish.
- Aprikose : Delicate Apricot in the nose, effervescent and bright with sweet/tart fruit. Fermented with domestic and wild yeast and aged in a neutral french oak wine barrel for 6 months.
- Viking's Hammer : Our base golden sour aged in Vikre Distillery Iron Range whiskey barrels for up to 18 months where it spent time with our resident micro-flora, then refermented on hundreds of pounds blueberries - this dark purple sour ale has rich notes of berries, funk and light vanilla.
- Frönen : Frönen, German for “Indulge,” has a straight-forward and simple recipe in regards to grain and hops. This is by design so that the malt flavors are more subdued to let the yeast steal the show. The yeast is where the magic happens! This brew has that wheaty, fruity, and white wine flavor that you would expect from a traditional Kölsch. Go ahead and indulge!
- Super Compiler : IPA brewed with grape must, dragon fruit, hibiscus and guava
- Cherchez La Femme Milk Stout : This blend of ten different malts creates an unsurpassed richness and complexity. We start with a premium Pale Ale base malt that gives a soft, clean maltiness. We add specialty malts like Black Malt, Crystal, Bonlander Munich, and Breiss Special Roast, layering in the malt flavors – roastiness, caramel, chocolate, and coffee. Flaked barley adds a full body of extraordinary creaminess. The flavor is balanced with the mellow sweetness of milk sugar and a hint of smooth Fuggle hop bitterness. The aroma is malt- forward, with a whisper of herbaceous hops and a touch of mint.
- Roly Poly Pils : A complex balance of malts round out Czech Saaz and German Hallertau hops, followed by a clean and crisp finish. A classic Czech-style Pilsner, our Roly Poly Pils is a super drinkable and tasty year round beer!
- Sue : Sue is the wine barrel-aged version of Susan (1891-1975), our grandfather's sister and the namesake of our bright, citrusy Farmstead IPA. Aged for nearly two years, it has developed and evolved into its current manifestation: a complex, lightly tart and delicately hopped Farmstead ale.
- Bourgogne Blanc : Bourgogne Blanc is a collective term used for white wines from the Burgundy region of France, most often being Chardonnay. Inspired by the crisp and fresh flavor of our own California Chardonnays, we wanted to explore what would happen from aging our sour ale with these fruitful grapes. Aged in French oak barrels for 12 months, the result is spritzy and loaded with oak spice, plus tropical flavors and vanilla notes from the juicy Chardonnay grapes. It's the perfect replacement for your favorite Champagne for all of life's celebrations.
- Nova Anglia IPA : Our take on New England style IPA. Aggressive aroma warns you about the tropical fruit hop flavor explosion you will be subjected to. Brewed with hazardous amounts of Amarillo, Citra, Galaxy, and Mosaic hops. Moderate ABV allows for repeated impact.
- Altbeer : ALT meaning ‘OLD’ is a beer style lost in time. Step back 250 years to a beer drinking era where lager (as we know it) wasn’t even invented! A rich amber nut brown colour. Malty, biscuity, fruity complexity, medium body with a wonderful spicy Tettnang hop kick. Brewery conditioned for 9 weeks prior to release. Eat yer heart out mass commercials!
- Original No. 19 Baltic Porter : Hand crafted locally to take the chill out of cold winter days, Baltic Porter No. 19 is a rich bold lager with notes of dark chocolate and roasted coffee. A complex brew with a crisp clear finish.
- He'Brew Messiah Nut Brown Ale : A complex yet smooth blend of bold dark malts revealing hints of chocolate, coffee and toffee paired with a lovely hop character.
- Dark Ale : Formerly Harvester Dark Ale
- Waffle Stomper : Belgian yeast combines with American hops to create this unique IPA. Fruity notes from the Belgian Yeast as well as Citrus from the use of Perle, Simcoe, Cascade and Citra Hops. Dry Hopped with Simcoe, Citra and Nelson Sauvin.
- Rayburn Farm Herbal IPA : Hop forward Northeast style IPA, brewed with locally sourced lemon thyme, and lime basil from Rayburn Farm in Barnardsville. Juicy, fruity, hazy – and totally delicious.
- Funk N’ Sour Series : Batch No. 1: Brett Stock Ale : The first release of this sour and funky beer series is Brett Stock Ale. This Brett beer was inspired by 19th century British Old/Stock Ales which utilized a secondary fermentation of Brettanomyces. This take on an almost extinct classic was aged in heavily rinsed whiskey barrels for seven months with Brett C. before bottle conditioning. Complex fruity and earthy aromas suggest hints of funk and give way to rich malty flavors of stone fruit, white chocolate, plums, raisins, and dark cherries. Brett Stock Ale has notes of bananas foster, vanilla, and wild berries, as well as port and sherry, all with a pleasing rustic undertone and almost no acidity. The flavors in this beer will continue to develop over time, making it a great bottle to add to the cellar.
- Moritas : Moritas is our Spelt Saison aged on second use blackberries. After we refermented a blended golden ale on heaps of fresh blackberries to create Moras, we transferred the beer off fruit and then immediately added our Spelt Saison on top of the spent fruit. Aging on second use blackberries adds a little color and a subtle berry note to this very funky, tart, and highly drinkable Saison.
- Red Eye November : Redeye November features an exclusive blend of Brazil Oberon and Sumatran beans from our friends at Mostra Coffee. Flavors of dark fruit, Baker's chocolate and caramelized sugar meld with the spicy rye malt and bittersweet molasses of Darkstar November, our original barrel-aged beer. Yet another piece to the grand puzzle...
- Basking In Bourbon Imperial Stout : An intensely rich and decadent Imperial Stout aged for over a year in Kentucky Bourbon barrels, our Bourbon Imperial Stout exudes flavors of bourbon, dark chocolate, molasses, charred oak, vanilla, and caramel with a liquid chocolate mouthfeel. This is truly a beer worth savoring.
- Oh Hey! Tropical IPA : This is our American IPA, which boasts a tropical fruit taste, a floral and fruit nose, with a light lemon bite to finish. It is brewed with Citra, Simcoe, Falconer’s Flight, and Warrior Hops.
- Lupulin River Imperial India Pale Ale : This Double IPA includes Mosaic and Simcoe hops, South American specialty malt, and tons of tastiness. Looks like liquid gold, smells like a bright tropical fruit pine forest, and tastes like all that and more.
- Bellwoods / Evil Twin - Fruit Helmet - Pineapple, Nectarine And Goji Berry : A variation of our original collaboration beer with Evil Twin (Brooklyn/Denmark), the newest batch received a healthy dose of organic pineapple, nectarine, and goji berry. One of many combinations of fruit to come, the fruit helmet series is all about starting with a nice hoppy base, and elevating it with strangely delicious fruit. This beer has the power to teleport your mind to tropical places – so use it wisely. Refreshing and juicy, Fruit Helmet II will help you take full advantage of the last weeks of summer.
- Poppy Agave Ale : A crisp, clean ale brewed with agave nectar and poppy seeds for a slightly sweet, nutty flavor.
- Golden Brett : Golden Brett is a dark golden colored beer, brewed with Victory, 2-Row and Red Wheat malt. It was lightly hopped with a blend of Northern Brewer and Simcoe hops. The beer started it's primary fermentation in a stainless tank and finished fermentation in a 800 gallon oak foudre. The finished beer has fruity nose and flavors of citrus, apricot and bread crust. The mild tartness of the beer gives way to a long, clean finish.
- Baranof Barley Wine : Brewed with cyrstal, black and two row malts. Aged on brandy oak to bring forward the brandy notes of the brew itself. Deep amber in color with intense toffee and candied fruit maltiness, balanced by Mount Hood hops.
- Peak Organic Super Juice : Super Juice is a wicked dry-hopped double IPA. We combine loads of our Azacca and El Dorado hops to create a bold hop character that bursts with peach-like flavors, and an aroma that pops at every sip. Locally grown oats round out the silky smooth body, creating a beer so juicy, it's almost like sipping a tropical-fruit daiquiri.
- White Birch Small Batch Ale Imperial IPA : The Imperial or Double IPA is a true American creation and a beer style loved by many. This small batch DIPA takes some non-traditional hops and explores the finer flavors of tropical fruit, bitterness and spicy hops with a golden sweet malt body. Warrior, Summit, Millennium and Northern Brewer hops team up to deliver bold flavor without the tongue scrapping bitterness. Old school, tasty and best fresh. I hope you enjoy this fun beer.
- Maiden Voyage : Behold! An ale for the adventurous spirit, the explorer in us all. A grand, fruity IPA showcasing earthy rye malt and pronounced citrus complimented by fresh tropical fruit aromas. Although this ale could accompany you well on long travels, we recommend you enjoy it fresh.
- Rickey : This trip starts as many do on a sunny Sunday afternoon at the tippy, discussing grill cleaning, spring, cherry blossoms and the flavors that coincide with the transition from spring rain to summer sun. Talk makes its way around the circle to Jeremy who offers, "Cherry and lime kind of kick ass together." The evolution from that declaration to Rickey was a short one. Sourness from wild fermentation pulls taught against the heady juiciness of the fruit, with a light finishing touch of juniper berries stitching it together. Drink Rickey because blossoms turn to fruit.
- Saison Aramis : A traditional approach to the classic farmhouse ale, fruity but dry, with a pleasant lemon, herbal, yeast-driven character.  Hopped with French Aramis for a subtle touch of citrus, spice, and mint. 
- Tres Vaqueros : Tres Vaqueros is our Belgian Style Tripel. Made with German and Belgian malts, this high ABV, low hopped ale is oak aged to give it even more complexity.
- Passion Berry Tastee : Tastees are kettle sour ales clocking in at 5.5%. We add a bunch of lactose to these and brew them intentionally to be fuller-bodied to try and replicate a fruit smoothie. We then select two different fruits and bomb it out in secondary fermentation at just shy of double fruited goses levels of fruit. For the next fruit blend in this series, we decided to use passion fruit and raspberry. Incredible tropical and berry notes. Perfect level of acidity with the balanced sweetness and smoothie-like body.
- Olympus : Oud bruin-style dark ale aged in red wine barrels. Brewer's notes: pours brown with dark red edges; aromas of dark fruits, tart cherries, brett funk, red wine tannins, and a hint of chocolate; taste follows nose, with a smooth blending of all traits; finishes sour and dry.
- Hopperstad Series: Huell Melon : Huell Melon is a German hop bred by the Hop Research Center in Hüll and is considered a decendent of cascade hops. Huell Melon has a unique but mellow fruit character and flavors of ripe honeydew melon and strawberry. This beer’s lighter malt profile lets these characteristics shine through to create a crisp, clean and slightly fruity session IPA.
- Scratch Beer 63 - 2012 (Danny's IPA) : Danny’s IPA was brewed to honor Danny Glover, our good friend who passed away earlier this year. Dubbed Danny’s IPA, this Black IPA is modeled after Danny’s favorite beer, Nugget Nectar. It clocks in at 7.0% ABV and 100 IBUs. Per John Trogner III, “If anyone says it’s not hoppy enough, punch them in the face.” Rotten grapefruit flavors from Columbus hops dominate Scratch #63. The dry-hopping rate is nearly one pound per barrel creating a dank, piney aroma that gives way to a grassy finish. This beer was dry hopped at a rate of 1.25 lbs. per barrel, more than two times the rate of Nugget Nectar. Tröegs Brewery will donate $10 from every case of Danny’s IPA sold out of the brewery in Hershey to the Gift of Life donation program.
- Gem Single Hop Pale Ale : Single Hop Pale Ale featuring the Pacific Gem hop. Hop forward tropical fruit nose and flavor with berry undertones, supported by pale malt base.
- Eight Legged Rye Pale Ale : Eight Legged RyePA is an American styled IPA but we replaced much of the crystal malts with 30% rye malt. This lightens the overall appearance and body while giving a touch of rye spice to the finish. Packed with hops you will immediately notice the grapefruit, citrus aromas and flavors.
- Last Chance IPA : Last Chance IPA, 5.9% ABV, is a full-flavored hop assault delightfully lacking in balance. We’ve added a combination of Centennial, Cascade, Simcoe® and Columbus hops to produce pungent aromas of grapefruit, pine and citrus.
- Boom! Taco Central : Refreshing as a face full of whitewater on the Clackamas River, this session IPA is the hue of radiant golden straw and flush with bright refreshing, and resinious tropical fruit from New Zealand hops. B!TC is the perfect partner for days filled with sunshine and action.
- Glassjaw Bully : Strong yet delicate brown ale brewed with our saison yeast. Tons of malty, nutty, hoppy and dry and tarty goodness.
- Tê Tê Electric IPA : Tê Tê Electric IPA is a medium body sessionable beer with a golden orange haze. The fruity aroma is brought to life by American and Kiwi hops and a pinch of lemon zest.
- Pop Quiz #1 : Pop Quiz #1 is a hazy IPA abundant in aromatics of ripe pineapple and pungent dank greenery with hints of grapefruit peel and pine trees.
- Funk Estate Oh Lordy! : Gooseberries and tropical fruit are some of the notes picked out of the incredible complexity.
- Class III Session Ale : A light refreshing ale somewhere between a blond ale and a pale ale. Class III couples a smooth malt base with a light almost fruity hop character.
- Ergot : Whole cacao and local honey quadruple IPA. Brewed with malted oats, rye, and wheat, a dose of sorghum, and local wildflower honey. Refermented/conditioned atop cacao pods, fruit juice and then conditioned further on cacao nibs. Hopped and dry-hopped with Nelson Sauvin, Mosaic, and German Cascade.
- Trout Town Brown Ale : This Brown Ale is a robust brown ale with rich chocolate notes and pronounced roasted flavors that pull through at the very end. This beer is dark in color but light in body, coming in 5.5% ABV, with just enough bitterness to balance the beer. ABV: 5.5% IBU: 35.3 SRM: 22.6
- Narragansett Lovecraft Series - I Am Providence : Roll out the Barrel: At 8% Alcohol by Volume and 62 IBUs, the I Am Providence Imperial Red Ale is our latest brew to honor the works of Providence’s darkest son, H.P. Lovecraft.
- Bonaparte - Black Stout : Having a pronounced roasted, coffee-like flavor and aroma, with a deep color and chocolaty brown head provided by the black malt. The medium body makes for a very drinkable dark beer.
- Death Breath V2 : First brewed for English troops that were stationed in India, IPAs have grown to become a modern day favorite. Its deep golden appearance is achieved with the finest premium base malts with a light touch of caramel malts for a bit of color. Our 2016 Death Breath Double IPA is well balanced for its ABV, dry-hopped for maximum American hop aromas and is followed by a huge fruity hop flavor.
- Preyer Strawberry American Wheat Ale : Three hundred pounds of Faucette Farms organic strawberries complement our light bodied, crisp American Wheat Ale. A high strawberry aroma is followed by the smooth, fruity body and a crisp finish.
- Fresh Flow : Fresh Flow is a refreshing, tropically hoppy IPA featuring fruit-forward American and New Zealand hop varietals that are balanced by a crisp malt base designed for sunny summer drinking. Brewed in cooperation with artist Chris Herbst of Ashland's Flow Factory NW, whose work is featured on the can label, Fresh Flow will be brewed often and released fresh throughout the summer.
- Strange Aeons : Aged for 1 year in Buffalo Trace bourbon barrels, this Dark Sour is jammed pack with blackberries, bourbon soaked oak and dark malt flavors.
- Hobbit's Habit : A rich, smooth, malty, copper-colored ale with subtle noble hop aromas that balance out this complex yet very quaffable beer. A legendary van Rossem brew! 
- Uni'd Bruin : Blended Pennsylvania Sour Brown. Brewed with a plethora of specialty malts and sea urchin (uni). Conditioned with our house microflora for many moons in a stainless tank atop Carménère soaked oak chips. Complex with a zippy acidity. Notes of brown sugar, red cherry, apple cider, plum skin, and oyster shell.
- Villager IPA : In the San Francisco spirit of innovation, Villager blends classic Northwest hops with contemporary ale yeast to establish a delicately constructed IPA. Villager's hop aroma is both citrusy and floral, complemented by notes of stone fruit and tropical flavor in the finish. A true expression of the cultural contrasts that embody our city by the bay, Villager brings a new twist to this West Coast style.
- Witch's Brew'mmm : Oh farewell summer of sun and humid heat. Fall is here yet another year. No feast nor fest neither shall there be rest, until the fruits of fertility brew us thy ale. Oh brewer with the harvest at hand, brew us the ale in which we demand. The Witch's Brew'mmm is a Belgian style ale brewed with pumpkin and spices. A whimsical yeast and a handful of hops.
- Scratch Beer 158 - 2014 (Belgian Style Pale Ale) : Belgian Pale Ales originally were brewed to compete with lighter, more popular Pilsners in Europe during WWII. Although typically not as bitter as its hopped-up American counterpart, the Belgian Pale Ale displays prominent sweet and malty overtones. The use of Abbey yeast in Scratch #158 lends subtle hints of apple and light spice as well as a crisp, semi-dry finish. Dry hopping with Willamette, an excellent finishing hop, adds a lively bouquet of fresh-cut flowers, fruit, earth, and spice.
- Evergreen : Hazy NE-style IPA with Soursop fruit. Hopped with Citra, Galaxy and Amarillo.
- Undefined Variable : Australian hops steal the show here. This beer is a tropical fruit explosion. Expect aromas of peach & passionfruit to fly out of the can like crazy!
- Vixen : Vixen is a Belgian Strong Ale aged for one year in Cabernet barrels with a house blend of bugs (lactobacillus, pediococcus, and Brettanomyces). A fruit-forward nose is followed with tart flavors of plum, cherry, raspberry, leather, and oak
- Manley Stout : Just as steep topography is obvious on the map, the enjoyment of this stout is seen on faces of those who drink it! This is a hybrid stout made from English malts and American hops. Bold roast coffee, dark chocolate notes, and a hint of dark fruit can be enjoyed throughout this stout. Wrapped up and balanced with slight hop bitterness and aroma. If a Manley beer is what you are looking for, find it at MAP Brewing on Manley Road!
- 24k Juice : 24K JUICE is a diggity diggity dank Double IPA rolling deep with an entourage of hops that will always have your back. Let DJ Dank Juice, Citron, Am-I-Real-Yo, EL-D, and Chinook the Crook mob up to your palate with fistfuls of ripe citrus, stone fruit, and DAT DANK YO! It’s just like Juice and the Crew say, “If it ain’t hazy, you crazy! WE OUT!”
- Ee I Ee I Oh! Farmhouse IPA : This summertime IPA has massive fresh fruit aromas, a light malt body, and a crisp bitter finish. Brewed using saison yeast this IPA has slight spice and pepper notes followed by a citrus hop finish. Yeeehaw!
- Meek Millet (Table Version) : Collab with 3 Stars Brewing Company. The table version is fermented with a rustic farmhouse strain and a single brettanomyces strain. Clean but complex flavor emphasizing the contribution from the buckwheat and millet.
- Starr Saison : Starr Saison is a traditional Belgian-style farmhouse ale. It is crisp and complex with plenty of fruitiness, hints of earth, and refreshing hop aroma and bitterness.
- Detroit Beer Co. Alt Beer : A deep copper German ale with a complex malt sweetness and a full satisfying taste. This distinct taste can be attributed to the use of German spalt and American crystal hops.
- James Bean : James Bean is a bourbon barrel aged, Belgian-style strong ale that is infused with cold press coffee, post fermentation. Coffee, vanilla and bourbon dominate the aroma. Flavors of caramel, coffee, bourbon, and oak present themselves throughout this full-bodied beer. The coffee used in James Bean is Speckled Ax, roasted right here in Maine. The beans used are Ethiopia Amaro Gayo and are known for their lush blackberry and blueberry fruit flavors.
- L'Amoureuse Blanche : It’s thanks to Raphaël’s friendship with Nicolas Pittet and Pierre-Alain Dutoit, winemakers from Lavaux/Vaud, that the L’Amoureuse beers were born. They’re real hybrids – born of a combination of dry Saison and the freshly-squeezed juice of local grapes, blended and fermented together. The result is a relatively dry beer with a light, fruity, vinous nose. Unfiltered, unpasteurized, and refermented in the bottle, the L’Amoureuse will continue to evolve and grow more acidy over time thanks to the wild yeasts that occur naturally on the grape skins.
- Murray's Anniversary Ale 3 (2008) : Each year we brew a big wheat and barley wine at 10% ABV and age it in oak for a period to further the complexity of flavour. Each year we add a ‘twist’ to the recipe. This year we’ve literally gone ‘wild’. Murray’s Anniversary Ale 3 is, to the best of our knowledge, Australia’s first commercially brewed ‘Brett Beer’ – a beer brewed using the ‘wild’ yeast strain Brettanomyces (Brett). The first half of the batch was brewed in early June 2008 before being transferred into French oak barrels (previously used for Shiraz) for an extended period of maturation. We added the Brettanomyces strain to the barrels at transfer back in June and allowed the Brett to work its magic until late October. The beer was then carefully transferred from the barrels and blended with the second half of the batch in stainless for a few weeks further conditioning prior to bottling.
- Vanessa's Blackberry Wit-itude : Just like our girl Vanessa, this Wit is a little fruity, sweet when it wants to be, and extra zesty!
- Virginia Strawberry : Brewed with wheat, a touch of rye and a ton (yes, a whopping 2,000 lbs. in a 40-barrel batch) of fresh, ripe strawberries grown by Agriberry at the Chesterfield Berry Farm just 30 miles from the brewery, Hardywood Virginia Strawberry is a fruit beer in all its glory. The color of a southern sunset, with a refreshingly delicate body, Hardywood Virginia Strawberry finishes with a hint of tartness and an irresistibly quenching character that makes it the perfect summertime libation.
- The Scrapper : Hoppy Dark Ale
- Peach IPA - Cedar Aged (Humidor Series) : American-style IPA aged on Spanish cedar and peaches. The Spanish cedar contributes white grapefruit, sandalwood, and white pepper notes.
- Nectareous : Nectareous is our Guava IPA brewed to a similar base as our beloved HopHands, with a touch of local wildflower honey. Fermented at our Dispensary in one of our brand new French oak foudres and conditioned on heaps of guava puree and dry hopped aggressively with Simcoe, Citra, and Zythos. Notes of musky guava, soft tangerine, subtle hard spices, grapefruit rind, and floral honey.
- Red Raider Ale : A smooth Irish Style Red with a slightly nutty character from crystal malt.
- Winter's Nap : Dark brown in color with big aromatic notes of bourbon and spice, this porter offers a smoothness incomparable too much else. Your sense will pick out caramel and nuttyness with a strong roast background. This style tends to gather influence from Russian Imperial Stouts with a rich malty sweetness and notes of molasses and dark chocolate with light hints of black currants, plums, dried fruit and vanilla.
- Marals : Marals has a delicate aroma of cherries and yeast and is a reddish-yellow colour. The first taste gives a zest of fruity flavours which then settle to a pleasant subtle bitterness.
- Tis' The Saison : Same base beer as Goldie Lochs; fruity and spicy, with a slight barn funk; light lemon notes attributed from Sorachi Ace hops. Fermented at a higher temperature (85 F).
- Blazing World : This beer is the stickiest of the icky. It's a luxuriously hoppy amber loaded up with intemperate quantities of Nelson, Mosaic, and Simcoe hops, which are some of the fruitiest, dankest hops sweet, sweet money can buy. Despite its amber hue, Blazing World is pleasingly dry, sporting a lightly bready malt backbone that serves as platform for the huge & complex hop profile.
- Rye Fidelity : A spicy Rye IPA that’s balanced with a generous amount of West Coast hops, giving this brew a strong, pleasant bitterness and raising it to Imperial status with an 8.1% ABV. Our devotion to our Rye Ale runs deep. After all, it was the second beer we ever brewed. But we couldn’t resist the temptation to make a bigger, more badass version and this spicy Rye IPA delivers. With heavy citrus aromas on thenose and a crisp, dry, warm finish on the mouth, it’s a complex, yet finely balanced big hoppy beer with an 8.1% ABV that we can’t get enough of. Looks like we committed some infidelity with our Rye Fidelity.
- Truculent w/ Centennial : A nose that can be best described as "dank." This dry hopped beer pairs a resinous hop like Centennial with the subtle acidity of Truculent. The tropical fruit character of the hop shines through in the finish.
- S:t Eriks Winter Session IPA : Vienna malt, pale and dark caramalt. Hopped with American Mosaic, Citra and Cascade.
- Lumber Buster : Malt-forward and toasty, our award winning American Brown Ale uses small amounts of caramel and dark roasted pale chocolate malts to create its signature flavor.
- Table Beer : This is a very light Belgian farmhouse beer, traditionally served at mealtimes. The beer is decidedly crisp with complex fruit aromas and a little funky character. It's served with a higher level of carbonation to give a Champagne-like drinking experience. Refreshing with a low alcohol content, you can drink it all day long.
- Ten Of Clubs / Kleveretien : The "Ten of Clubs" is a dark ale with a hint of anise and loads of character. Some may call it "Abbey-style," but we just think of it as great beer.
- Lavender Extra Special Oak (LESO) : We have taken our E.S.O. (Extra Special Oak) and "dry-hopped’ it with fresh, organic lavender from South Deerfield, MA. Complex flavors from oak aging are finished with a bright lavender aroma. Very limited release in late summer.
- Lieven : Named for a Belgian barkeep, Lieven is a blend of Flemish sour red and sour brown ale. The sour brown ale aged for four years in an American oak barrel, while the sour red aged for one year in a New England Distilling rye whiskey barrel. In this blend, aromas of strawberry, apricot, and caramelized sugar share the stage with flavor notes of dried fruit, toasted marshmallow, and a delicate hint of oakiness.
- Glycerin: Boysenberry : Double fruit sour DIPA with raw wheat, malted oat, milk sugar, and boysenberries. Hopped with El Dorado
- Lil' Brainless Raspberries : This is an easy drinking version of our big, bold Brainless Raspberries. Brewed exclusively with natural raspberry puree, which gives this beer it's unique pink color, as well as hints of raspberry bubblegum, sweet fruit jam, and a pleasant dryness that makes this beer perfect for easy going affairs.
- Tone Poem : Weird de Garde brewed with oats, buckwheat, caramel malt, and PA wildflower honey. Fermented in our open top oak fermenters then conditioned in stainless steel for many moons on top of 240 lbs of sweet and tart cherries courtesy of our good friend Ben Wenk from @3springsfruit. Gently acidic, a bit prickly, and reminiscent of autumn foliage.
- Reko Suave : Our brewers cold steeped 60lbs of fruity Reko Ethiopian beans from our friends at @cambercoffee and blended them with a juicy citrus Australian Galaxy IPA. Reeeekkkko….Suaaaaveee!
- Oozlefinch / Ocelot - Pretty Young Thing : We've been talking collab with our good friends at Ocelot ever since our new Brewmaster started last year, and with the early success of the Oozlefinch sour and funk game and the strength of Ocelot's IPA offerings, we couldn't resist getting together to make a 100% Brett IPA. Brewed here in Hampton Roads, fermented entirely with Brettanomyces, hopped with Loral, Denali, and a brand new hop called Enigma, and finished with Loral lupulin powder, Pretty Young Thing is not your typical "Brett beer." Restrained funk leaves room for tropical fruity esters, moderate clean bitterness, and a depth of complex aromas from the combination of these three power hops. You won't want to miss this marriage of flavors from NoVa and HR.
- Bock to the Future : In celebration of our first anniversary this is a traditional German Maibock (Helles boxk). This well balanced beer has a medium body, a complex blend of sweet malt and spicy hop flavors , and a clean dry finish.
- Daydream : A complex yet highly drinkable take on the saison. Daydream is brewed with honey, orange peel, and peppercorn before being dry-hopped with Mandarina Bavaria. A great beer to allow your mind to wander...
- Mild Mud : The aroma is of coffee and cocoa, with hints of dark fruit. The flavor is chocolate and some caramel, over a surprisingly light body. Crisp, clean, with abrupt finish leaves you craving another sip in this highly sessionable English style mild.
- Carrier Sessions : Collaboration with our friends from Carrier Roasting Company called Carrier Sessions a mild dark ale brewed with coffee.
- Destiny's Wit : Our traditionally-styled Belgian White Ale is crafted using a variety of malts and spices. Rather than competing for individual attention these ingredients harmonize for a complex, well-rounded, drinking experience. A silky feeling envelops the palate; subtle sweetness balances the spice before yielding to a delicate, tart, finish that is highlighted with a touch of white pepper.
- Garden Bier : Inspired by French Bier de Garde, brewed with a melange of yeasts and three grains for notes of dark bread, anise, pepper and caramel.
- Senescent : A barrel aged dark sour ale. This is the first beer we ever brewed on our 1 bbl system. The base recipe was an American Porter that was fermented clean and then spent 16 months in a bourbon barrel with brettanomyces and various bacteria. The end result is a very sour dark beer more in line with a flanders brown than a porter. The roastiness of the porter has given way to fruity, vinous sour flavors with only the color hinting at what the beer started life as. This will be the only chance to taste this beer until later this winter.
- Mach-Limit (Cab Sauv) : Mach-Limit starts with wine grapes from locally-sourced, family-owned vineyards in Palisade, CO. Once the grapes have been destemmed and crushed, we allow the juice to rest for a few days - developing rich color and depth of flavor - before finally transferring the juice to neutral oak barrels along with our base golden sour. The beer then goes through a secondary fermentation while resting on the grapes, and after a few weeks is ready to bottle. Mach-Limit is fruited at the highest limit allowed, thereby creating a beer that is truly something of a hybrid with intense grape character - almost sangria-like. This beer should age well with proper cellaring, however the grape character may diminish over time.
- The Cut: Danube Sour Cherry : We've been trying to get this cherry for over 5 years, but it matures so early that the birds usually get to them first. This cherry is even darker than Balaton cherries, we've never made a beer with cherry notes like this.
- The Guilty Party ESB : This charmingly drinkable brew is a pleasure to share with friends old and new. Pleasingly full-bodied, it achieves a nice balance of caramelly, nutty, biscuity maltiness, and smooth but assertive bitterness. The premium English and Belgian malt comes through nicely in the nose, along with floral Indie Golding hops, and a wonderful fruitiness from the traditional English yeast.
- Hyper Paradise : Be it an island, seascape, or mystery spot, a hyper paradise awaits on the horizon. Hyper Paradise is a blend of saison and golden sour beer aged in oak barrels with mangoes and passion fruit. Fermented with a concoction of microorganisms, this tropical utopia is overflowing with notes of fruity funk, overripe mango, and sour passion fruit.
- Crusher IPA : We heart session beers. There's nothing quite like whiling away an afternoon with a six pack of something crisp, clean, and light enough to walk away from when the job is done. But we also demand flavor -- hops at that, and the more the better. Meet the Crusher: this poundable session IPA is brewed with 2-row barley and a touch of caramel malt for depth, accented with loads and loads of late-addition hops. Citra and Nelson Sauvin hops provide an IPA-sized dose of intensely fruity, citrusy hop aroma without an overly bitter finish. This is the IPA bar stools were invented for.
- Idaho 7 IPA : IPA brewed with an experimental single hop variety featuring pungent tropical fruit and citrus, big notes of resiny pine and hints of black tea.
- Sun Kissed IPA : NW style IPA brewed with wheat and grapefruit peel.
- Opuntiale : Honey blonde brewed with prickly pear fruit, cactus honey, and mesquite-smoked cactus paddles (nopales).
- Arvo Brew 51 : This is a thirst quenching lager with subtle hoppy characters, a touch of fresh fruitiness and a finish as crisp as a glacial wind - just the ticket for those long, hot Aussie summers.
- Sea Legs Baltic Porter : Complex and drinkable, Sea Legs delivers flavors of roasted malt and chocolate. Sea Legs was aged in Bourbon Barrels for nearly 12 months adding toasted vanilla and bourbon notes to the flavor profile. This Medium-bodied Baltic Porter has a complex malt profile and mild hop bitterness. With a hidden ABV of 8%, Sea Legs is a siren of a beer.
- Ovila Abbey Barrel Aged Dubbel : This Abbey Dubbel was aged in a blend of red wine and bourbon barrels to add a new level of complexity to an already beguiling brew. Rich malt flavors of burnt sugar and caramel blend seamlessly with bright fruit notes from the wine barrels, while the bourbon oak lends a mellow hint of vanilla.
- Cuvee D'Abricot : This sour apricot wheat ale was aged in French oak barrels for a perfectly balanced fruity tartness.
- The Sauer Peach : This beer is Sloop Brewing’s artistic ale. The Sauer Peach’s complex flavors come from a natural sour culture. This tart flavor is woven with sweet peach nectar to provide your palate with a contrastingly balanced beer. It is light in body, and stands at alc. 4.3% by vol.
- Blonde Belgian : Belgian yeast brings fruity, bubble gum esters to this effervescent Old World style with a dry finish.
- Odds & Ends - Sour Series - Blend 001 : A blend of Captain Lawrence fruited sours.
- Barrel Aged Dark Sparge : With a simple, clean base of organic pils and pale malts, and a restrained hand with Cascade hops, we let the Belgian Saison yeast shine in this tradition inspired golden ale. Aromas of spice and stone fruit seem to jump right out of the glass at you, drawing you into its enveloping realm of complex fruit, malt, and spice flavors. Dry and yet rich, Apricity is sure to live up to its definition, the warmth of the sun in winter.
- Hypnotized : Hypnotized is a red sour beer aged in unrinsed Ensorcelled barrels, which makes it part of our Echo Series. Hints of the Brettanomyces, Lactobacillus, and raspberries from Ensorcelled deepen the complexity of Hypnotized. This Echo Series release presents traces of juicy raspberries and lemon tarts.
- Slow IPA : This India Pale Ale is not your usual strong IPA but, a low alcohol easy to drink IPA made with the finest Citra and Falconers Flight hops. This IPA has a deep golden sunset hue and the unique blend of hops create flavors and aromas that are floral, citrusy (lemon, grapefruit and orange) and tropical. Slow IPA is balanced by a malt character reminiscent of honey on toast that is dry and biscuity.
- Calico - Rum Barrel-Aged : Our Calico Amber Ale takes its inspiration from traditional English ESBs. Four types of malts give it a bold complexity, and our proprietary yeast strain lends it a fruity, madeira-like richness. However, it’s the American hops that give this ale a distinct bite and floral aroma that have earned it just about every major beer medal.
- Aeons : Barrel aged mixed culture blend ale, dry hopped with Hallertau Blanc. Light gold in appearance with slight floral/fruit aromatic, lemon and pepper notes. Dry finish across the palette with lasting hints of a tart grapefruit.
- Odd Breed / 26 Degrees - Tres Y Dos : This collaboration with our dear friends at 26 Degrees is a wild amber ale brewed with a hefty amounts of rye and a touch of caramel malts. Aging for 10 months in a heavy-toasted French oak puncheon that previously held red wine from the Napa Valley, gives this beer prominent oak character. Aromas of caramelized tropical fruit and toasted malt lead to flavors of spicy rye and vanilla with a tart, red wine finish.
- Sawmill IPA : Sawmill IPA is a New England style IPA with a delicious golden haze. Aroma and flavors of juicy tropical fruits are created from Azaaca, Mosaic and Citra hops. Dry hopped for additional aromas and flavor sensations.
- Greene King IPA Reserve : Greene King IPA Reserve is a warming, full-bodied ale with a reassuringly rich appearance. Grapefruit and Orange citrus tones combine with the floral and herbal Styrian Goldings hop variety delivering a beer of exceptional quality with dry bitter finish.
- Monkey Road Red : In this hop-forward twist on the classic amber ale, we utilize a heavy dry hop with Simcoe hops to bring about a balancing layer of complexity. Malts meet hops in a symbiosis of character that includes passion fruit, pine sap, grapefruit pith, toasted grain, caramel sweetness, and floral resin. A semi-dry finish with lasting bitterness have this drinking like an India Amber Ale.
- Loral Saison : Brewed with a Saison yeast and dry hopped with Loral Cryo Hops, this hoppier Saison style is spicy and fruity with a dry finish.
- Night Hiking Black IPA : A play with your senses. Dark black like a stout but tastes like an IPA. Brewed with little roast but with lots of Columbus hops.
- Barrier / 42North - Flow : Brewed in collaboration with 42NorthBrewing this IPA is Double Dry Hopped with Citra, Hallertau Blanc, Summit, Mosaic and Brewed with Grapefruit Purée.
- Leitmotif - Opus 05 : Saison yeast, fresh grapefruit and lime, dry hopped with citra.
- Sip Of Sunshine : This lupulin-ladin India Pale Ale is packed with juicy tropical fruit character, bright floral aromas and delectable layers of hop flavor. Pour mindfully, inhale deeply and enjoy a tropical vacation in a glass. Always store cold, enjoy fresh and stay cool!
- Smoked Märzen (Flynn on Fire Smoked Beer Initiative) : A strong dose of old world smokiness adds a whole new dimension to the Märzen experience. Our Smoked Märzen carries an intense smoke flavor that elevates this style to new heights of complexity and satisfaction. Take a few sips and be transported to the cobblestone streets and biergartens of Bamberg, Germany where Rauchbiers are a way of life.
- Carpet On Your Heart : Juicy Rye IPA. Hopped intensely with Simcoe, Centennial, and Columbus. Intense notes of passionfruit, lime, and pine.
- Left Field Maris* Pale Ale : Roger Maris made history when he beat Babe Ruth’s home run record in 1961. He played straight, to the point baseball and wasn’t flashy or boastful. He clocked in, knocked dingers and clocked out. He did his job and did it well. Our Pale Ale intends to do the same. Brewed primarily with Maris Otter malt, Maris* is a down to earth nutty beer made for a day at the ballpark.
- Odie Stout : Inspired by a small, fluffy bunny MEdwards found in the woods. Pitch black in color with a body that is dance and velvet, this Odie Stout has intense coffee and dark chocolate aromas, with toasted toffee and coffee flavors.
- Prazzle : Tart and fruity blonde farmhouse ale aged in oak barrels with peaches and raspberries. This was a single oak barrel with a healthy dose of both peaches and raspberries added. This fruited sour beer is bursting with notes of grapefruit, stone fruit and a subtle berry finish.
- IPA : Our first American IPA, highlights our distinctive yeast with a bold complement of hops. The nose bursts with pine, citrus rind, melon and pineapple. Flavors of peach, lychee, and tropical fruits are accentuated with a pleasant bitterness and balanced by a gentle biscuity malt character.
- Hop Dog Pale Ale : Our pale ale is loaded with American hops that provide a lot of citrus aroma and flavor. We then dry hop with Citra (tropical fruit flavors/aroma) to provide that extra kick of aroma and flavor.
- Half Acre / Perennial Two Tugs : We recently invited Phil Wymore, former Half Acre brewer and current mastermind behind Perennial Artisan Ales out of St. Louis, to the brewery for a collaborative brew sesh. The outcome is Two Tugs, a brawny 8% brown ale that unites two corners of Illinois. The aroma presents elements of molasses, toffee, and dark cherry, adds elements of licorice, hazelnut and chocolate to the taste, and finishes strong and warm with stone fruit on top of more sweet chocolate. Related to Thunder & Son in style and spirit, but more of a smaller cousin than a twin brother.
- Grand Reserve : Grand Reserve should be saved and shared. Brewed only once per year, our Barleywine Ale is characterized by an intensely complex malt, hop, and fermentation profile.
- King Julius : The holiday season has a way of stirring up nostalgia. In late 2012, we brewed King Julius on our original Brew Magic brewing system - a whole ten gallons of it! Despite the size of the batch, the memory of it is enormous in our hearts. The thought of it brings us back to our cozy Brimfield barn, with the wood stove cranking, the record player spinning, Santa Dean mulling about, and Lauren and Kim filling growlers out of a modified chest freezer in a small nook under a wooden staircase. As we continue to move forward in our journey it felt like the perfect time to pay homage to our beginnings. King Julius is our endeavor to marry our past with what we aspire to be in the future. King Julius is an American Double IPA brewed to be an exceptionally flavorful, juicy, and hop saturated beer while never tiring the palate. It’s vivid citrus aromas give way to flavors of orange creamsicle, mango smoothie, and a bounty of fresh tropical fruit. We find it to be supremely soft in the midst of an onslaught of flavor. . . A beer we are quite proud of.
- It Is What It Is : When we received a new shipment of hops in, including some experimental varieties we immediately set to work figuring out what the profiles were. We brewed this beer with 100% Experimental #4 Hops from Crosby Hops in Oregon. The hops are said to be in the High Oil Cascade and Amarillo family and we found there to be notes of pear, nectarine, peach and slight pine. The beer had a standard but soft malt base consisting of a large amount of pilsner malt and a touch of wheat as well to help provide a round mouthfeel and body. Most of the hop additions were added at the whirlpool as to bring out the fruit and pine aromas in the beer. We then dry-hopped with over 3 lbs per bbl to add more character. It's our take on a modern blonde ale and probably fits more in the pale ale category but we still love it!
- Froggy Memories : American Pale Ale dry hopped with a generous amount of Citra. Flavor notes of tropical fruits like mango, passion fruit and pineapple balanced with a Cascade hop backbone.
- Moxie Fruit : New England IPAs are known for their haze and fruity character, and Moxie Fruit is a perfect example. You’ll experience orange and mango notes that combine with a creamy body to make this special brew drink like a tropical dreamsicle.
- Magma Noir Trois : Dark ‪sour ale‬, aged in red ‪‎wine‬ barrels with ‪‎brett‬ trois.
- Scratch Beer 250 - 2016 (Hibiscus IPA) : A standby in teas and juices, hibiscus flowers provide Scratch #250 with its lovely pinkish hue and vibrant floral aroma. A mix of spicy, fruity hops gives this IPA a berry-like tanginess with underlying tropical notes.
- Deception : Straw color, fruity spice aroma, tart flavor, medium body.
- Lean Back IPA : Dry hopped with amarillo, citrus aroma, balanced malt and subtle nutty finish. Super drinkable and just plain delicious.
- Hippopotamic Land Mass : A bouquet of ripe summer fruit. Hops: Mosaic, Enigma, Vic secret, and Azacca.
- Sled Wrecker : Spiced with allspice, clove, raspberry puree, ginger & orange peel. This malty English winter warmer is liquid fruitcake in your glass. A few pints will keep you warm for your sleigh ride home on these chilly Chicago nights.
- Some Good Adweisse : Brewed with passion fruit
- Clarice : This dark and eerie Belgian Strong ale is brewed with dark Belgian "candy" sugar, raw sugar and dark, special & aromatic malts. Full-bodied, rich & sweet maltiness, low hop bitterness, flavor & aroma, fruity complexity, deceiving alcohol strength and some phenolic spiciness...much better with food than Chianti ever was.
- Pomology: Blueberry : Pomology is a series of beers that explore the interplay of fruit and beer. Created by aging a pale, sour ale on wild Maine Blueberries, the beer pours a dark purple with a tart, fruity finish.
- Surly Stout : Dark, dry and roasty but not particularly astringent or bitter, this American style stout has a little crystal malt sweetness to balance the roasted barley.
- 00 Citra : This hoppy IPA is brewed with Idaho 7, formerly known as 007, & Citra Hops. Aromas of ripe fruit and dank citrus are prevalent with a smooth bitterness and hoppy finish. A straight shooter at only 7% ABV. This single IPA is sure to please even the most scrupulous of "Hop Heads".
- Boundary Extension : An easy-drinking and light bodied English dark mild with notes of toffee and roasted nuts.
- High Plains Drifter : Our Scottish Ale is a dark, sweet delight. Barrel-aged in oak bourbon casks from the Kings County Distillery.
- Dizzy Brewnette : Brewed in the tradition of a pre-lager German amber style Altbier. A medium-bodied ale with a predominantly malty character. Brewed for a smooth, refreshing finish that offers subtle hop notes and faint hint of fruitiness.
- Coffee Supreme Bourbon Barrel Aged Over Ale : The base beer for this firkin is Over Ale, our perennial brown beer. We aged some Over Ale in Heaven Hill bourbon barrels for 13 months. We took the aged Over Ale out of barrels, poured it into a firkin, then topped it off with a pound of Dark Matter’s A Love Supreme. The result is rich with both coffee and bourbon aroma.
- Citra Ass Down : Brewed exclusively with Citra hops, this IPA has a tropical, citrusy, even grapefruit aroma and taste. Deadly smooth. Perfectly balanced between bitterness and sweetness; even those not fond of hops have come to love this one. One sip and you'll want to Citra Ass Down for another! Gold medal winner for IPA in the 2013 VA Craft Brewers Festival and Competition.
- Barley Wine : Aroma of cherries, plums and molasses with a rustic herbal hop character. A strong dark ale, this beer is brewed with an absurd amount of malt which gives it a toasty flavour and a pleasant alcohol warming.
- Intensified Coffee Porter : Brooklyn Intensified Coffee Porter starts as a big, chocolatey ale, ready to take on super powers. The first power is gained from months of aging in Kentucky bourbon barrels. The second arises from delectable beans harvested by our pals at Finca El Manzano Single Origin Coffee in El Salvador. The final power comes from Blue Bottle Coffee, who roast the coffee to perfection. Brace yourself for complex notes of dark chocolate, vanilla, oak, berries, and dried fruit, coming to intensify you.
- Archer's Saison : Gently hopped Saison. Subtle citrus and fruity notes. Hints of banana and bubblgum. Clean, dry finish.
- Valise - French Oak Barrel-Aged : Sour ale with Viognier grapes aged in French oak barrels. Think you know Valise? Pack your bags, this is a slightly different story. It begins on California’s Central Coast with Viognier grapes hand-selected by Bruery Terreux Production Manager, Jeremy Grinkey. The harvested Viognier grapes were pressed nearby with our friends at Sans Liege. We then transported the juice to Bruery Terreux, blended it with a specially brewed sour blonde wort and fermented 100% of the blend in French oak barrels. Unlike the previously released Valise, this barrel-fermented creation kept the grape skins on for a day, was aged sur lei and utilized the battonage method, where the barrels are taken down and stirred once a month. After months of maturation, Barrel-aged Valise emerges with a warm, deep and woody wine-like character, highlighted by expressive tart notes and gripping floral and stone fruit flavors. We hope you enjoy this trip that challenges the senses and pushes boundaries on both the wine and beer landscape.
- Althea : Althea is a Belgian-style Dubbel brewed with plums, bottle conditioned in a 750 ml/25.4 oz. cork and cage bottle, which weighs in at a substantial 7.7% ABV. It’s a beautiful, dark and fruity ale conceived and brewed by our New Jersey Sales Representative and former Philly Beer Geek, Natalie DeChico.
- New Bermuda : New Bermuda is a Pink Lemon Double IPA brewed with globs of fluffy oats, locally grown pink lemons and hibiscus. Hopped in the kettle assertively with Citra. Then aggressively dry hopped with Lemondrop and Citra. Notes of Mango punch, sugar coated lemon, rainforest dew drop, and ripe passion fruit.
- Hello Beautiful : Hello Beautiful is a wild ale re-fermented with Georgia blueberries with multiple strains of Brettanomyces and native microflora. Sauvignon Blanc barrels provide a beautiful home for all of that microfloroa and local fruit to shine. Pair this one with sharp cheeses, kimchi or great friends.
- Sierra Nevada / Boulevard Terra Incognita : Terra Incognita’s third rendition features complex and earthy malt flavors enhanced by a masterful blend of character from barrel aging in both red wine and bourbon barrels that add notes of tart fruit, vanilla, and coconut. 
- Mezcal Barrel Aged Black Pale Ale : This Black Pale Ale offers a smooth and complex contrast of dark chocolate and roasted malt flavors with bright and tropical guava, mango and pear hop flavors and aromas. Three different American malts stand up to generous amounts of West Coast El Dorado and Citra hops in an unfiltered and unpasteurized ale. Finally, it is aged in oak Scorpion Mezcal barrels from Oaxaca, Mexico for several months to impart a unique smokey, charred oak and roasted agave finish.
- Sammy : Sammy is a small-batch Brett Black Ale and is crafted with Pale Malt, Pilsner Malt, Vienna malt, Chocolate Wheat Malt, Flaked Oats, Midnight Wheat, and Carafa Special, then excessively dry hopped with Eureka!, Denali, & Mosaic for notes of pine & fruit. Sammy was an experimental beer fermented in our steel pilot tank for several months with a newly cultured strain of brettanomyces from Imperial Yeast, and then bottle conditioned.
- Tropical & Juicy IPA (The Hop Freshener Series) : Released in Nov 2015. Tropical & Juicy, India Pale Ale brewed with Grapefruit Juice
- Two Tides India Session Ale : A popular West Coast beer style, India Session Ales, or ISAs, combine the well-hopped flavour of a traditional IPA with lower alcohol levels, and lower bitterness. Our ISA helps make your West Coast session last longer, whether you’re cruising the seawall, relaxing at home or washing down surf ’n’ turf with good friends. A moderate hop bitterness accompanied by fruity and floral hop aromas complemented by slightly sweet malt flavours create an approachable brew that can be enjoyed from high tide to low tide.
- Leppy Coquí : Weird malt liquor brewed in collaboration with @wikset for the show tonight at @ardmoremusichall. Brewed with loads of malt and local PA wildflower honey and then conditioned on a heap of hibiscus flowers. Boozy with a beautiful reddish purple hue. Strong notes of dried stone fruits, peach brandy, strawberry patch, and a hint of red licorice.
- Porter : A dry, robust porter with big, roasted malt character. Dark chocolate and coffee flavors are prevalent, while a light touch of earth English Fuggle and East Kent Golding hops give harmony to this dark classic A fanastic cold weather beer.
- Mirrored Streets : A pillowy, fluffy DIPA that was hopped with 007 (The Golden Hop) and Citra. Notes of tangerine and orange marmalade with fleshy tropical fruit flavors and aromas accompanying.
- Entendez Noel - Macallan Barrel Aged : Like most big Belgian holiday beers, Noel is bursting with subtly complex flavors and fits no particular beer style. Its explosion of sensations comes from just Belgian Pilsner malt, cane sugar, Motueka hops, Trappist yeast, water, and fermentation. We then aged this 2015 Edition in a Macallen single malt whiskey barrel.
- Plink : Plink is a brett-forward, mixed culture sour ale featuring hibiscus and orange zest. The hibiscus contributes earthy and fruity tartness against a background of citrus. Complexly layered acids produce an assertively sour quencher that is clean, rewarding, and thought-provoking.
- Super Tuff : To celebrate 5 years of brewing beer in Tofino , we bring you the 'Super Tuff'. This is an imperial take on our brewery staple , the Tuff Session Ale. Enjoy right away or cellar this beer and let its character complexify and evolve over time , cheers.
- Punk Tacos : Our latest fruited IPA, Punk Tacos was brewed with herbal and floral Mosaic and Pacifica hops, which we complemented with 336 pounds of equally herbal and cordial-esque blackcurrant puree. The resulting beer has a light acidity from the fruit that brightens the hops' characteristics. With 4.4 pounds of hops per barrel, Punk Tacos has a bit of hop bitterness and a dry, tannic finish.
- Aprium Dream : Aprium Dream is our first oak fermented beer using whole fruit from our friends Collins Family Orchard fermented in our foeder with our house culture. Lightly tart and wonderfully aromatic.
- Saison Triskel : A single hopped Dry Saison, It starts with a light crispness and finishes a hint fruity from the French Triskel hops.
- S2S Honey Wheat Wine : A fairly new style of beer, Wheat Wine is unique and not brewed by many breweries. The concept comes from a Barley Wine, except it is brewed with the majority of the grain being wheat. This contributes to a really silky mouthfeel with lots of body. The addition of BC Wildflower Honey adds a layer of complexity that gives a fresh honey aroma mixed with vanilla and slightly earthy/floral notes. The honey is 100% local and comes from the Honeybee Centre.
- Caryopsis : This was an exciting beer for us to make. It was a delicate, two day process, of breaking & baking bread, brewing, friendships, and community to create this neo, yet tradition inspired beer. Notes of bread crust, hay, light grapefruit, and fresh pasture. Brewed in collaboration with Deer Creek Malthouse and Ona Weatherall of Kimberton Waldorf School.
- Prairie Peach Sour : A tart, brettanomyces & lactobacillus inoculated beer aged on peaches from Prairie Fruits Farm.
- Pulling Nails Blend #5 : Pulling Nails is an ongoing experiment in the art of blending to create sour and wild ales of extraordinary depth, complexity and balance. 
- Negative Split Belgian Ale : Aromatic malt, wheat and oats merge with fruit-forward esters from the traditional Belgian-style yeast to create this unique, quaffable and satisfying beverage. Drink the second half faster, because it's not getting any colder!
- Can Can - Cerise : Strong dark sour ale aged a total of four years in American oak red wine barrels. Tart red cherries were added to the barrels for the last year of aging. 100% bottle conditioned.
- Resolve : A hop-forward dark ale that balances hop aromatics and flavors with a restrained dark malt character and a full soft mouthfeel.
- Absolutely Dericious (Ghost 170) : This West Coast style Imperial IPA is another prong in the trifecta inspired by Japanime. Using the original citrus fruit - Pomelo - the impact is subtle and well-balanced.
- Needlepoint : Double dry-hopped DIPA, that is fruity and resinous. Brewed with Cascade, Centennial, Chinook, and Columbus hops.
- Sugar House : Sugar House is our latest collab with our buddy Luke from Bellwoods Brewery out of Toronto. Together we made an 8% DIPA hopped intensely with Mosaic, Azacca, and Vic Secret. We added a small amount in secondary of Michigan maple syrup from our friendz BLiS Gourmet to contribute a subtle complexity to the flavor profile and add some very pleasant residual sweetness
- Engine 45 : Engine 45 Pumpkin Ale is as true to Mendocino County as is the legendary Skunk Train and its annual Pumpkin Express! Our Pumpkin Ale is just as delicious as a slice of Pumpkin Pie. This deep dark amber beer is brewed with a variety of caramel and roasted malts to give it a strong malt body. Pumpkin puree, cinnamon, ginger, nutmeg and allspice combine perfectly to give the beer its characteristic refreshing Fall taste.
- Temporarily Permanent : Tart, funky, and fruity, Temporarily Permanent is a Golden Sour Ale aged on fresh mango and apricot purée. Mellowed in the barrel for more than twenty months before being conditioned on the fruit for another ten, these fruits leave behind a hint of sweetness, perfectly complementing the beer's earthy, rustic undertones.
- Glutenberg Impérial Sotolon : Crafted from ingredients that share the same dominant aromatic compound of maple syrup, then aged in rhum oak barrels from Guyanan producer El Dorado, Impérial Sotolon offers aromas of maple, nutty buckwheat, toasted fenugreek, molasses and coffee.
- Civil Disobedience #16 : Keeping with the theme of dark beers landing on 4 in the series, this is a blend of five beers, aged between 8 and 30 months in oak barrels.
- Dunkelweizen : Dunkels are some of the finest beers in the world and have some of the most storied producers. Wheat (weizen) provides the structure and Munich malt and Dark Wheat provide the color. We modeled this brew to have a modest malt bill and at just over 4% its a nice beer to wrap your head around this winter. Our yeast gives a nice lemon edge to the apparent dark malt and the lightness of body really lets each malt be discovered.
- Single Barrel Foggy Notion : Not quite English. Not quite American. Foggy Notion is a big ole’ 100% Ozarks-born barleywine ale. We have taken the heart of our standard issue Foggy Notion and captured it in this limited release bomber. Straight from the sherry barrels to give this full-bodied beauty a fruity, nutty, sweet, rich brown sugar flavor with the faintest hints of oak. Single barrel Foggy Notion is not for the faint of heart. Bottle conditioned so feel free to lay this bottle down for a spell and see how the flavors evolve.
- Old Rumskull : Avast! This version of Old Numbskull, our classic American Barleywine Ale, is matured in premium rum barrels for an extended period of time to develop its rich and intense flavor profile. The result is an amazingly complex beer that balances the caramel and toasted malt character with notes of woody spice and sweet molasses from the barrel aging process.
- Luminescence : Luminescence is a sour ale exploring the boundaries of our own greenhouse yuzu fruits. It is dry hopped using freshly grated yuzu zest and leaves from our greenhouse along with full cone flowers of Hallertau Blanc & Mosaic.
- Fistful Of Hops (Autumn 2013) : Fistful of Hops is our quarterly series of four IPAs, each with the same malt base. We balance that base against a seasonal “fistful of hops” - each time a different variety. Our initial release contains Pacifica and Zythos hops, which provide flavors of orange, tangerine, and grapefruit.
- Moa Southern Alps White IPA : Moa Southern Alps is brewed with Vienna and Pale Wheat malts, dry hopped with a blend of Nelson Sauvin and Citra hops, giving a strong citrus and lemongrass aroma. The use of our Belgian ale yeast and coriander for spicing, gives the beer complexity and depth of flavour. The perfect marriage between a Belgian Wit and an IPA.
- Tooth And Nail : Huge Imperial IPA Boasting Intense Aromas of Resinous Pine, Earth, Pineapple, Grapefruit & Lemon. Boldly Double Dry-Hopped with Centennial & Citra Hops.
- Deep Cocoa : Dark, roasted barley. Rich, deep caramel. Decadent, fruit-tinged chocolate. We've unlocked the mysteries and nuances of malts to deliver these luxurious and provocative flavors in this complex and satisfying porter. Raise your glass and taste the Victory of Deep Cocoa!
- Blackstar - Black IPA : A Pacific Northwest style black IPA, deliberately deceptive with only moderate malt character despite its dark color, highlighting a dank, piney hop character.
- Dawn of Civilization : Building a civilization is a lot of effort and can work up quite a thirst. Dawn of Civilization is our version of the quintessential pint for a hot afternoon on the patio. Combining the acidity and sweetness of citrus fruit with the smoothness of wheat, highly carbonated to produce an aromatic refreshing ale best served with a slice of orange. 
- Another Round: Comet : This experimental IPA is bright yellow in color with a sturdy white head. It has bright citrus notes reminiscent of grapefruit rind with subtle hints of white grape, passion fruit and lemon peel. With a strong malt backbone, this beer has an intense lingering bitters that ends with a nice, dry finish. The perfect bitter beer to hop into summer with.
- Badlands Extra Pale Ale : A tangerine-gold ale, crisp with moderate bitterness and floral notes reminiscent of tropical fruit, lemons, and grapefruit. It’s not typically a pale ale, and not quite an IPA, but will surely leave your hop-bone happy.
- Boom Dark Ale : Boom is a deep, dark Schwarzbier inspired ale brewed to celebrate Independence Day. A variety of dark roasted malts provide a black, night-sky canvas for your 4th of July fireworks. However, this being a celebration and all, Boom is a lighter bodied drinker with aromas of caramel, dark fruit, and toffee. A malt forward flavor with notes of raisin and dark chocolate make this beer perfect for enjoying once the sun sets.
- Java Cask : Depth, complexity and richness occur when delicious ale ages in a barrel, just as a friendship grows over the years. This stout was created in collaboration with our friends from Philadelphia's Standard Tap and Johnny Brenda's restaurants. Using their delicious hand-roasted JB's coffee, our bourbon barrels deliver a bold and robust, chocolate malt-tinged stout. We invite you to toast the Victory of friendship and beer with Java Cask!
- Imperial Grapefruit Saison : Fruit forward and surprisingly refreshing, although a high alcohol saison featuring over fifty hand zested grapefruits.
- Tight Staves : This single batch version of our spontaneously fermented Sour Farmhouse Ale spent 24 months in oak wine barrels and was hand selected as a single batch designate for its unique complexity and expression of local terroir.
- Enjoy After Brett IPA : This IPA is spiked at bottling with Brettanomyces, a wild yeast that, over time, brings about charmingly unpredictable complexities of spice, funk, acidity and more. The operative words in our beer-cellaring thesis are "over time." For those of you who are impatient or like to experiment, the earliest we recommend sampling this beer is one year before the date on the label. The beer won't be fully carbonated until that date. Ideally, you'll want to cellar the beer up to—or beyond—the Enjoy After date to help it reach its full evolutionary potential. At that point, some facets of the Brett characteristics will have mellowed, while others will have become more profound; it all matures into a fascinating and delicious culmination. Individual results will vary...and that's both the beauty and the intent behind this beer.
- Backhanded Panther : A super fruity, hazy IPA hopped entirely with Australian hops. Backhanded Panther is full-bodied and easy to drink thanks for hefty additions of spelt and oats.
- Warm Front : Warm Front arrives in the glass clear copper-gold with a fine, white head. Aromas of pineapple, tangerine, lemon and tropical fruit blow in from late-boil Citra® and Mosaic® hop additions. A medium body delivers sweet citrus with light biscuit and caramel malt flavors, finishing malty-sweet with lingering orange zest bitterness. It’s a vacation from the typical winter ale.
- Brewhouse Rarities: India Pale Lager : Brewed with Citra and Galaxy hops and fermented with a lager yeast strain, this hybrid style combines huge tropical fruit hop bitterness (typical in our favorite IPAs) with a crisp and clean lager finish. 
- Silver Salmon India Style Pale Lager : Silver Salmon is a hoppy lager that’s light and thirst-quenching, yet there’s plenty of complexity and flavor. This honey-colored lager has aromas of fruit and floral from the hops, with a hint of biscuit, too. Its mild caramel malt profile is met with forthright hop flavors and the clean, crisp finish that you’d expect from a lager.
- Ravenscourt Park Chocolate Brown : Chocolate lovers delight! The Lena Chocolate Brown is a medium-bodied brown ale featuring real chocolate in each batch! Dark brown in color, and rich in chocolate flavor.
- Glitter Moon : The bulk of hop aroma and flavor in this brew come from the land down under. Galaxy and Vic Secret hops from Australia exude pineapple and passion fruit goodness while a solid chunk of oats in the grain bill makes for a smooth mouthfeel.
- Saison Magnolia : Our house standard saison built to be dry and expressive with multiple saison yeasts plus added complexity from two strains of brettanomyces.
- Dark Ale VIII: Cthulu Is Defeated... : Dark Ale VIII: Cthulu is Defeated or Roosevelt Heads to Belgium; Crowned King of the World: A Cthulu Tale
- Cave IPA : Our balanced IPA is brewed with the perfect combination of Citra and Simcoe hops. It produces a subtle grapefruit aroma and is complimented by a malt profile that provides depth and smoothness.
- Space Monk : Space Monk is a Belgian-inspired IPA assertively hopped with fruit-forward American and Australian varietals, imparting waves of passion fruit, guava, and tangerine hop character alongside estery notes of peach and jackfruit. This fruity explosion is complemented by a creamy mouthfeel and a drying, resinous finish.
- Black Donald : Like the name suggests it black… This stout is brewed using lots of dark malts to create its richly complex roasted malt flavours. We balance all that malt with a kick ass hop schedule to create a beer that is well balanced, and thick enough to stop a bullet. If you’re a stout lover…. Hunt this down.
- Muse Belgian Golden Ale : A delicate Belgian perfume of pears and apples compliments complex spicy phenolics and lightly sweet alcohol with an inspiring clean, bright finish.
- Fruits Of Our Barrel - Passion Fruit : 4 IBU Passion Fruit Berliner Weisse aged in White Wine Barrels
- Hotbox Coffee Porter : This porter (6.4% ABV, 30 IBUs) is based on malt flavors of roasted nuts, crème brulee, cocoa, and caramel, extracted from English and German roasted and caramel malts. Hotbox Roasters then crashes the party and infuses potent, cold-extracted coffee from Burundi and Ethiopian beans and deals out flavors and aromas of dark plums, chocolate, and hints of blueberry.
- Balaton Cherry : Wood Aged Fruited Sour Ale w/ Blaton cherries from our friends at Kings Orchards in Michigan, and orange zest
- Po Tweet : Po Tweet is a sour pale ale packed with a blend of our favorite local Four Star Farms hops. It's bright and well balanced, slightly hazy and tart, very dank and fruity. One sip and you'll want to finish the whole growler. So it goes.
- Parsimony : A strong, dark sour ale aged in red wine barrels, sharp acidity with hints of red fruit & chocolate brownie.
- Negura Bunget Dark Ale : We present to you the most metal beer ever brewed, our Transylvanian inspired Dark Ale, Negura Bunget! This beer is a dark, roasty dark ale that sits at around 5.25% ABV. The beer is named after Negura Bunget, a black metal band from Romania that brought us amazing albums such as OM and Zi. We paired up with Gabriel Mafa of Negura Bunget as he created this awesome can design and the band planned to play a concert at our brewery during their North American tour. Unfortunately, Gabriel Mafa passed away on March 21, 2017. The concert has been cancelled but the beer we hold dear to our hearts as a tribute to a talented musician lost too soon. 
- Passion Of The Frank : Passion fruit Floridaweisse.
- California Pale Ale (CAPA) : CAPA is a strong hopped pale ale. Brewed with Citra and Eldorado Hops which creates an amazing grapefruit and citrus aroma. This is a great beer for those who want hops without too much bitterness.
- SPF : Brewed for the upcoming (hopefully) warm weather with a traditional Kolsch yeast, which lends toward a fruity and flavorful beer with a nose of floral and fruity hops and a soft malt body with a crisp, dry finish.
- Yuzu Saison : Yuzu is a pretty cool fruit. It's an intensely aromatic citrus fruit. We really like it for the subtle pine aroma it adds to this saison brewed with a spicy yeast. It's light, bright, with a lively effervescence. We're pleased with the way this one came out, hope you enjoy it as well.
- Le Poulbot : Medium bodied beer with delicat citrus fruits aromas and a subtle balance between acidity and bitterness.
- Serec : A tribute to the Roman goddess of Agriculture, Ceres. This saison is a homage to the tradition, consisting of only Pilsner, wheat, hops, and yeast. Spice from the wheat and yeast shine through the fruity bitterness of the hops.
- Amis Pour Toujours : Amis Pour Toujours translates to "Friends Forever" and is a collaboration brewed with one of our closest and dearest friends, Brad Clark of Jackie O's Pub and Brewery in Athens, Ohio. Our shared love of vibrant fruit mixed with our cultures was the inspiration for this wild ale. Fermented in oak with a blend of cultures from Missouri and Ohio, this Missouri/Ohio Wild ale was then aged on Apricots and Mangoes before being blended and naturally conditioned in this bottle.
- OK Guy : OK Guy is an 8.4% DIPA that we designed to be fruited from the beginning. Generously hopped with 50% Mosaic and 50% Simcoe, then we added a ton of apricot and peach purée. As much fruit as Crucial Crucial Aunt Aunt was added to this beer.
- Fated Farmer: Blueberry : The addition of fresh blueberries sourced from Ward's Berry Farm in nearby Sharon, Massachusetts create a beautiful crimson/purple hue. Aromas of dark cherries, blueberry, and an earthy funk give way to a tart blueberry palate teeming with notes of nutmeg and mulled cranberries.
- Dancing Lights : Dancing Lights is a Belgian-style IPA made exclusively with Aurora hops. These hops provide a pleasant herbal note that perfectly compliments the fruit and spices created by the Belgian yeast. 
- Dark Forest Porter : Flavor and aroma are dominated by dark chocolate with hints of all natural sweet and tart cherries added to the serving vessel.
- Periwig : Rich, malty, dark and complex bitter delight.
- Coffee Porter : A robust porter with roast character from dark malt and Frost Bean Works coffee beans. Beans imported by our friends at Hacienda La Minita and roasted in house complement a grain bill incorporating coffee malt to create multi-layered experience. ABV: 6.5%, IBU: 25
- Port Tack Porter : A smooth, dark pour. With similar roasted undertones to the Ubergrippen, this porter is unique with its backside malt profile. Just like its 18th century London ancestors, this brew is lightly hopped. Remember, lean to the left, as you sail away on your port tack.
- Coconut Mudbank Milk Stout : A limited release version of our Winter stout offering brewed with two row barley, Munich, and Caramel malts, as well as coconut cream and milk added to the kettle; all ran through a hop back filled with 60 pounds of toasted shredded coconut before it hits the fermenter. The combination of bready malt, chocolate, coffee, and sweetness from the coconut and lactose give this beer a complexity beyond the ordinary. 7.2% ABV and only available in odd numbered years.
- Barrel Aged Wreck Alley : When we tasted the first batch of Wreck Alley Imperial Stout, we knew barrel-aged versions were in the cards. The only questions were when and how often? Batch #1 answers the first question, and as for Batch #2, you’ll just have to wait and see. Brewed with the same darkly-kilned malts, Tcho cocoa nibs, and Ethiopian coffee beans from Bird Rock Coffee Roasters, Batch #1 was aged three months in American oak barrels. The resulting brew is a dark, unblended, and richly flavored union of dark chocolate, espresso, and toasted oak.
- 10w Porter : This full bodied British porter is an aggressive take on the classic style. The nose is dominated by notes of dark chocolate and coffee, while the flavor profile is full of complex toasty, malty and burnt sugar flavors balanced by an approachable roasty note. Pair this beer with fatty cuts of steak, chili, and stilton cheese.
- Abyss Chocolate Stout : Abyss Chocolate Stout is a dark, full-bodied, stout with hints of cocoa and chocolate malt. Made with pure organic cocoa, this stout carries subtle hints of hops, and a full, smokey flavour. With a smooth finish and a subtle cocoa flavour that lingers on your palate, Abyss Chocolate Stout is distinctive and bittersweet. Rich and nearly black in colour, this stout is as dark as the abyss.
- Virginia Black Bear - Vanilla : Vanilla Virginia Black Bear is the yang to Virginia Black Bear’s yin. Ten Vanilla Specialty Grains comprise the backbone of the bear and high alpha American hops give the bear his teeth. Notes of dark chocolate and coffee abound and fresh vanilla rounds out the flavor. Used as the base beer for Illuminatos, the Vanilla Virginia Black Bear has casually drifted to meander where he wants. Watch out, he hugs.
- Citra Red : A SMASH beer (single malt, single hop) our Citra/Red is 100% Citra hops and Red-X malt. A mild, nutty flavor from the malt supports a full, aromatic citrus hop flavor. Red in color, but crisp with a dry finish.
- Nero : Nero is a Porter made from a blend with no less than 5 different malts. The end result is a dark, but not jet-black, drinkable beer with a small 'bite'.
- Kiwi PA : Kiwi Berries! The kiwi berry is a small green fruit that resembles a kiwi, but that you can pop in your mouth and eat whole. This IPA, conditioned on a heaping load of kiwi berries grown by nearby Weaver's Orchard will make you want to drink it whole! We hopped and dry hopped this one with Mosaic and Ahtanum hops, and it resulted in a slightly fruity, melony IPA, with a finish that is distinctly kiwi berry. Drink your berries!
- Fortuitous 2016 : This red farmhouse was designed as an anniversary offering for one of our favorite beer chefs. After his restaurant unexpectedly closed, the beer was left to mature in port barrels for an additional year and a half, undergoing a fortuitous transformation into the luscious beers that is today. Fortuitous balances complex malt character with soft acidity, alongside notes of stone cherry, plum, nuts, and persimmon.
- Tin Cup : A team favorite, this easy sipping stout showcases our love for the tin mug at the campfire. A house blend of Counter Culture Coffee beans works with a complex cadre of dark malts, flaked adjuncts and lactose to forge this 5% all day delight. Just a little a reminder of another beloved Burial ale.
- 91 : “91” is a homage to the Chicago Bulls first championship. We used Red-X malt to give this citrusy APA a nice malty & nutty balance. Much like his Airness & Pip, Amarillo & Mosaic are the stars of this refreshing APA.
- Picture Me Rollin' : East Coast born, West Coast raised! This one is full of dank and resinous hop character, with a mix of pine and grapefruit peel on the aroma, and a malt presence just strong enough to stand up to the bold hopping rates used in this beer.
- Red Wine Barrel Qualified : Unlock the Vault, our barrel series committed to the careful, prolonged conditioning and blending of barrel-aged ales. For those qualified, try our Qualified quadrupel aged in select red wine barrels. This dark ale features Belgian specialty malts with rich, deep notes of dark fruit & caramel paired with red wine barrel notes. Enjoy immediately or store under lock and key.
- Equinox Pale Ale : The third installment of our Pale Ale series contains four additions of Equinox Hops. Tropical fruit and fresh peppers combine in this refreshing beer. 
- Amundsen / BRUS / To Øl - Natural Born Chillers : Another day, another collab. This time we teamed up with our good friends from Denmark, To Øl and BRUS. We wanted to create a beer that would make you sit back in your chair and not want to get up again. A natural born chiller! A hazy sessionable highly hopped beer for those warm summer days. Ride this beer in waves of tropical fruit, mango, pineaplle, with a second wave of citrus finally cutting back to low bitterness.
- Vic Secret : This IPA is bittered with Columbus and has large whirlpool additions of Vic Secret (an exciting, relatively new hop from HPA – Hop Products Australia), plus mosaic and Galaxy. The beer was then dry-hpped with more Vic Secret. This IPA packs a wallop of passionfruit and pineapple aromas and flavors with a piney resin finish.
- PNC Imperial Buckwheat Stout : This bold and deliciously complex beer is an Imperial Buckwheat Stout aged in Tequila barrels for 13 months. Only a collection of pioneering, well seasoned, extensively traveled and passionate pub owners could come up with such a notion. A massive grain bill consisting of Pale, Munich and toasted Canadian Buckwheat was blended with pearled drum-kilned barley from Chile, a generous amount of Wisconsin toasted wheat and a slug of British crystal malts. A couple lumps of Mexican Turbinado sugar were added for good measure while we loaded the kettle with Styrian Golding hops. This carefully calculated collision of flavors, concocted over copious amounts of Orval well into the night, was laid down in fresh Tequila barrels wrangled over our southern border by the beautiful and gracious Meg Gill. We simply call this beer “PNC” in honor of its collaborative creators – the gothic symphony of flavors will speak for themselves.
- Maple Tap Imperial Maple Porter : The subtle character of roasted malts complement the sweet flavor of rich maple sugar in this hearty porter—a true taste of New England. Maple Tap maintains a smoothness that belies its hearty base. Sweet nutty aromas of dark sugar are balanced by earthy Willamette hops in this rich porter.
- Sheehan’s Irish Stout : This is a very smooth and creamy, yet dry, roasty stout. it has the delicate aroma of fresh chocolate and roasted barley. The flavor is well balanced with the subtle fruity characteristics of an Irish Ale yeast fermentation and rich layers of chocolate, coffee, and dry roasted malts.
- Nimptopsical : Nimptopsical is a celebration of all things malt. This beer is created with 5 different varieties of malt to produce an incredibly complex flavor profile that yield flavors of toffee, burnt sugar, toasted bread, and overripe fruit. Finished with a healthy portion of East Kent Golding hops from England, the beer has a balanced bitterness and a subtle herbal/fruity hop character. At 7.3%ABV, Nimptopsical gives you a gentle warming that demands respect. The name “Nimptopsical,” comes from Ben Franklin’s 1737 book, “The Drinker’s Dictionary” as a synonym used to describe someone that has had too much to drink.
- Nathan’s Biere de Garde : A French-styled, copper-colored beer with pronounced malty sweetness and notes of toffee and dried fruits.
- Room For Me : We all know the old adage: “when life hands you a lemon, make lemonade.” But what do you do when your friends at Masumoto Family Farms deliver a fresh harvest of juicy nectarines? You stop what you’re doing and join coworkers from all areas of the company at Bruery Terreux to carve up nectarines to make a small batch, limited edition, fruited sour. Nectarines with a sour blonde ale aged in oak: it’s the perfect fit.
- Are We Having Fun Yet? : A light and crushy crushy pale for those who are looking to party down. Hopped with Falconers Flight and Australian Galaxy, we're showcasing our new favorite yeast strain formerly classified as a type of Brettanomyces. Since reclassified as a strain of Saccharomyces, it lends tropical fruit characteristics of mango and pineapple.
- Walley's Prehistoric Pale Ale : Wally’s Prehistoric Pale Ale is a home run for beer lovers. This session style American pale ale is a clutch hitter on those hot summer days with its light body and refreshing taste. It has aromas of tangerine, citrus and tropical fruit that come from a grand slam of hops. This beer is extremely drinkable so you won’t have to go to the bullpen because this will be your ace all game long.
- Dusk Trill Dawn : Our latest collaboration with Evil Twin Brewing is a heavenly, coffee infused stout drawing inspiration from Even More Jesus & our own PM Dawn. Ascendence is inevitable with unique complexities provided by the use of experimental sugars and a small percentage of smoked malts. Bold aromas of freshly ground coffee beans, cherry jam, and vanilla extend to the palate with additional notes of intense milk chocolate, vanilla, and slight smoke. Dusk Trill Dawn is dry with a light mouthfeel and moderate bitterness.
- Stramboozled : Blend #1 – Stramboozled is a special three way blend between Brouwerij Alvinne (Moen, Belgium), Hanssens Artisanal (Dworp, Belgium) & OEC Brewing. The blend includes serveral different sour ales that were matured in oak barrels with one of three different fruits: strawberries, raspberries or cherries. Blended on 8/19/2017.
- Schell’s Stag Series 1879 Kulmbacher Export : Based on a recipe dated back in 1879 from upper Franconia, this dark , hoppy lager was a favorite that was often imitated by many breweries. As trends changed, the popularity of this style brew faded quickly and is unfamiliar to today's beer drinkers. Bock-like in strength, it asserts its dark color and pronounced hop bitterness.
- Touch Of Honey : Starr Hill’s Taste of Honey Belgian-Style Dubbel is our rendition of the classic Belgian Dubbel in which we substitute wildflower honey from our friends at Hungry Hill Farm in Shipman, Virginia, in place of the traditional Belgian candi sugar. Dark fruit and spicy aromatics from Belgian Abbey yeast meld nicely with caramel and toffee flavors from Munich and chocolate malts. Taste of Honey has a medium body and just enough bitterness for balance.
- V1 Double IPA : Fruit forward Double IPA with tons of citrus flavor and aroma from the Mosaic hop variety. A well balanced beer, big on flavor!
- Badankadank : Badankadank is a honey colored Double IPA with big dank aromas of pine and fruit zest. Total hop domination leads to a huge resiny bitterness and flavors of citrus rind. The finish is dry with some lasting bitter hop attributes and notes of alcohol.
- Baja Oatmeal Stout : When creating the recipe for this beer, we bore in mind what one associates with oatmeal. Hence the base was laden with a bunch of oat flakes, roasted malts and roasted barley. The end result reflects this - intensive flavours, a coffee and dark chocolate aroma and a creamy texture. So we would not smother this, we added only as much hops as was needed to delicately balance the flavour.
- Oubliette : Sour Blond Ale aged in Sauvignon Black barrels with Passion Fruit and Blackberries.
- Vigilambic Flanders Style Sour : The Blackfoot Vigilambic was brewed in a similar fashion to the Flanders Red Ale. The Vigilambic was fermented and aged in oak barrels with, Lactobacillus, brettanomyces, and Belgian yeast to create a complex, subtly sour beer. The beer is burgundy color with a light tan head. Chocolate and tart cherries dominate the aroma, while the flavor is reminiscent of dried fruits, oranges, chocolate, toffee, and a hint of rasberry with a lasting spicy finish. 
- Olivia : Olivia is a Prickly Pear Braggot made with Honeyville Honey (Durango, CO), fresh prickly pear fruit & love.
- Hint of Things to Come : A Blend of Golden Sour Beers Aged in Oak Barrels With Chardonnay Musqué Pomace and Passionfruit.
- Core Range : Oatmeal Pale Ale with spicy, grassy aromas and a taste of grapefruit and apricot.
- 8 Days A Week : Single hopped with Citra, this American Pale Ale has a burst of tropical fruit aromas and flavors, with a touch of citrus notes, and a finishing dash of graham cracker character.
- Art #21 (Farmhouse Bramble) : From the oak awakens Art 21-Farmhouse Bramble; a dark barrel fermented saison aged on blackberries & Shiraz grape must! Dark, rich chocolate aromas meet a dry, tannic oak body that finishes with black pepper and berries! 700 Bottles Produced.
- S'more Money S'more Problems : S'more Money S'more Problems came out of the brain of Friends With Benefits member Keith Lonergan. With Keith's help we mashed this behemoth in with copious amounts of chocolate malt, roasted barley, golden naked oats and crushed graham crackers. Then, after primary fermentation was finished we added cacao nibs, vanilla bean and natural marshmallow flavor. The resulting beer is a big, chewy, dark nectar reminiscent of our days in Cub Scouts; sitting around the campfire, drinking imperial stouts. Great now or after a prolonged camping trip in the back of your temperature controlled bottle camp site.
- Helmet Streamers : Chardonnay barrel aged brett saison with Calamansi fruit
- Gold Cup Russian Imperial Stout : Named for the golden chalice bestowed on the winner of the Virginia Gold Cup races—an antique cup first granted to horse and rider by Catherine the Great—our Russian Imperial Stout with its black, velvety, opulence is as rich and complex as the Czarina who was a fan of the dark brew. A dark-berry sweetness underlies roasted tones of bittersweet chocolate and espresso coating the mouth with a smooth, lingering, fullness worthy of the cup!
- Counterbalance IPA : “IPA is so over,” they said. “Everyone’s making an IPA or three. Why even bother,” they said. Then we sit at the pub and we order IPA because IPA is delicious and you should just have one. This one exhibits grapefruit and passionfruit, with a bit of cooling spruce on the finish.
- Hostile Intent : This Earth Day may be our last! The Invader makes contact in Hostile Intent, a Tart Wheat Ale featuring intergalactic starfruit and beams of bright kiwi!
- Full Nelson IPA : Very fruity IPA made entirely with Nelson Sauvin Hops. Fermented with a blend of both Ale and Lager yeasts making for a very complex beer. Fresh orange zest added straight into the boil.
- Two First Names Hoppy Wheat : Our hoppy tribute to all those individuals with two first names. Here's to you Mark George, Elton John, Rick James, and all the other notable two-first-namers... We salute you with a smooth wheat pale ale, heavily hopped with Azacca and Amarillo for an intense fruity and citrus flavor. Cheers!
- A Beer Down Under : After a long ride down the hoppy trail in a fried out kombi, our brewers came home inspired to brew this dry, quaffable pale ale that features a fruity, tropical hop punch of flavor from the use of Galaxy and Ella hops from down under. Cheers mate!
- South Pacific Hop Cartel : The first of our “Hop Cartel” series. This cloudy double IPA showcases the “New World” flavors and aromas of white grape, lime zest, passionfruit, and gooseberry from a very special blend of Australian and New Zealand hop varieties.
- Raptor IPA : Raptor American India Pale Ale is a hop forward American style IPA. Columbus, Citra, Simcoe and Chinook hops give this brew a large aroma of fruity citrus and resinous pine as well as a pleasantly bitter flavor. It is fermented with a neutral American Ale yeast strain. English Maris Otter, German Munich and Caramel 60 malts give it just enough malt backbone to bring it all together.
- PM Dawn W/ Barrington Aceh Coffee : In another exciting collaborative effort with our neighbors at Barrington Coffee Roasters, this is a bold American stout infused with cold-brewed coffee. PM Dawn exhibits an earthy, freshly roasted coffee bean and dark chocolate/mocha nose. The flavor profile consists of vanilla, hot chocolate, and caramel along with rich espresso. With a medium to heavy body, luscious mouthfeel, and light bitterness, PM Dawn is balanced and full, smooth with a drying roast character.
- Shared Table : This is our take on a true Belgian Saison. It hits and highlights all the right places that are synonymous with the style while still being easy drinking! The aroma touts lemon and a light peppery nose. The palate pops with a combination of fruity and spicy characteristics brought on by the yeast and hops and is balanced with soft, complementary malt notes. All of this fades gently with a crisp dry finish that is once again true to style. The name comes from where this beer is best served, shared with fiends at the table over a tasty meal.
- Key Lime Lambic : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Curiosity Forty Eight : The art and science of brewing continues to captivate us - every opportunity to experiment in search of how to improve our beer, and to further our understanding of what ultimately makes a beer enjoyable, enriches our spirit! Curiosity Forty Eight is revival of the Curiosity Thirty Two recipe with a number of refinements to the base beer and a hop dosing rate that is vastly increased in both the kettle and the dry hop. The result is a beer that is dripping with fruity hop saturation akin to some of our favorite big Tree House double IPA’s. We taste ripe citrus, overripe mango, peach, and pineapple. A tight carbonation seems to disappear on the tongue enticing your palate for the next sip. A frothy head and bright orange color contribute to the tremendous appeal of this beer.
- Twenty To Life : To commemorate the occasion, Twisted Pine will release its grand cru, Twenty to Life, a canary-colored Belgo-American ale with a light, bright body and tropical fruit finish. The special release will be available in 22 oz. bomber bottles and on draft at the brewery and select locations around Colorado. The Twisted brewers will tap other special treats throughout the day, as well, including several small batches brewed for the occasion and aged ales from the cellar reserves.
- El Rey Mexican Imperial Stout : Brewed for the Festival of Dark Arts 2017. Sweet sugary caramel, fresh sliced chili peppers, and earthy cocoa.
- Fonkey Mucker : We brew this big, dark and heavy stout with cocoa and roasted peanuts for a candy-like experience for your palate. This beer has been one of our most sought after. This beer also serves as a base for other Mucker's such as Coffee Mucker and Raspberry Mucker.
- Tart Of Darkness - Black Currants : Tart of Darkness is a sour stout aged in oak. Brewed to resemble a stout at its foundation, the journey into tartness begins with fermentation in large oak puncheons at Bruery Terreux, where it’s treated to a special blend of souring bacteria and wild yeast cultures. Following a slow but wildly active fermentation, the beer is transferred for extended aging into a dedicated collection of used oak barrels for Tart of Darkness. This includes emptied bourbon barrels from The Bruery that previously held beers such as Black Tuesday®. This special edition was aged with black currants
- Wardian Case : BA Dark Sour w/ Raspberry, Cocoa Nibs, Vanilla beans
- Abbreviated IPA : IPA is an abbreviation and so is the ABV of our Abbreviated ipa. This session brew makes up for its low alcohol with a healthy dose off Denali and Calypso hops lending dank, floral and fruity notes balanced by just enough malty body to make this the ultimate day drinker.
- Electric Peel Grapefruit IPA : Electric Peel is an electric IPA that sends shocks of citrus hop flavors through a medium malt body amplified by grapefruit peel, leaving behind a bittersweet finish.
- Chocofrut Zarzamora : Chocofrut is our 5 Rabbit melding of luscious, chocolatey dark-roasted malts and the bright flavors of real fruit, for a series of beers that are creamy, fruity and ultra smooth. In the world of beer, ChocoFrut is a rare confection.
- Quadzilla : A Belgian Quad with heaps of tasty fruity esters, compliments of the Belgian Trappist yeast. The complex malt backbone hides the high alcohol content.
- Pure Project / Finback Songs Of The Deep : We took a plunge on this collaboration with our friends from @FinbackBrewery in Queens, NYC, and we brewed up a crazy drinkable Murky Double IPA. Organic grapefruit and smoked sea salt combine with the fruity notes from Citra, BRU-1, and Mandaria Bavaria hops to activate your aroma sensors, and leave a delectably smooth tropical flavor on your tongue.
- Triple Seesaw: Boysenberry, Blackberry, Raspberry : The Seesaw Series is our gose playground. Designed to capture delight and fun in the form of an easy-drinking and flavorful beer. Each Seesaw has a unique fruit addition to pair with balanced tartness, a touch of salinity, and ABV on the lower side. The nostalgic thrill of warm-weather fun, reimagined in one of our favorite styles. The number of Seesaws dictates once, twice, or three times the fruit added.
- Scratch Beer 185 - 2015 (Double IPA) : Spring has finally sprung, and lush green foliage decorates the landscape everywhere across Central PA! So what better time than now to release an excessively hopped Double IPA packed with sticky, jade-colored cones evoking the resurgence of the spring season? Featuring a collection of vibrant American hops, Scratch #185 radiates shades of spicy grapefruit rind, juicy passion fruit, pungent pine sap, and subtle earthy herbs. One thing’s for sure… this Double IPA has sent cold weather packing for good! How do you like us now, Old Man Winter?
- Trinity VMS : The milk stout was very popular in the United States prior to World War II. It uses lactose sugar to add a smooth, mellow sweetness to the beer. Our milk stout was crafted using brown, chocolate, and coffee specialty malts to create a subtle nutty, chocolate sense with a coffee undertone. A hint of pure vanilla is added late in the fermentation stage to tease the senses and round out a touch of vanilla sweetness. This dark brown stout has already found a great following even amount the less experienced craft drinker and is often described as a desert beer. Try it with ice cream!
- #quadfather (Red Cap / Cherry Quadfather) : Next up in the #hashtag series is ‪#‎quadfather‬ aged on Michigan tart cherries. Since introducing The Quadfather a few months back, this delectable Belgian Quadruple has quickly become a pub favorite. One particular cask treatment with cherries garnered rave reviews from our pub faithful so we've decided to bring it to you in bottle form. This particular cherry addition was designed to be a thoughtful and most importantly, complimentary addition to a beer already rich in dark fruit and caramel notes.
- Kiss The Goat : A doppelbock emblackened. Perfect for midnight masses, dancing naked in the moonlight, and malevolent altars. Turn up the sons of Huns, toast the dark. Now turn and kiss the goat!
- Questionable Origins #3 : Two of the hardest to acquire hop varieties in the world; New Zealand “Riwaka” and South African “Southern Passion” create a unique hop blend that you’d be hard pressed to find in any other beer. Passionfruit, Pineapple, Grapefruit Citrus, Earth, and Spice.
- Darkest Hour (Oaked with Coffee & Cascara) : Whiskey barrel aged darkest hour with black cup coffee and cascara. A blend of rum cognac and whiskey darkest hour.
- Barrel Project #2 : This is a blended beer consisting of 75% light American Lager and 25% Red Saison. Both experienced a primary fermentation in stainless steel. Blending took place in a White American Oak barrel with brettanomyces and then allowed to mature for 9 months. The Pilsner malt from the American Lager really shines and compliments the fruity esters of the saison and brettanomyces, yielding flavors reminiscent of bread pudding with fresh apricots complimented by a lightly acidic finish.
- J.A.W.N. Juicy Ale With Nugget : "It goes without saying that if you’ve spent any time in and around the Philly area you undoubtedly have heard your fair share of Philly slang and local colloquialism. Some things just scream ‘Philly’ so bad, it almost hurts. Anyone familiar with our Head Brewer knows he’s got a fondness for the linguistic arts as well. Whether it be his loud, booming Jersey/Philly accent cutting across the room, or his late night drunken German, there’s no doubting his love for the sound of the spoken word of any native tongue. He’s also got a fondness for easy drinking, hoppy beers. What do you get when you put the together? J.A.W.N. – Juicy Ale With Nugget. This 5.2% ABV American Pale Ale is malty, yet crisp, and is loaded with dank citrus, as well as tropical and stone fruit flavor and aroma from the gratuitous use of Nugget and Zythos hops."
- SFY (Formerly Superf*ckingyawn) : Juicy. Tropical Fruit. Moderate Pine. Sticky. Dangerous.
- Foeder Saison - Boysenberry : One of our 40hL foeders (“Foeder Black”) was initially utilized as a Meerts foeder, but in October of 2017, it was converted into a fermentation vessel for beers that fill in the gaps between our Meerts and Méthode Traditionnelle programs. The 2018 “Foeder Saison” series represents the first beers to emerge from that switch, and this beer is the first fruited variant to be bottled from that fill. It has a delicate mouthfeel from the use of white wheat and flaked oats, as well as a refreshing acidity and complexity from the saison strains and cultured microbes that accompanied the wild yeast already present in the walls of the foeder.
- Headband : Headband is a Peach Tea Imperial Stout brewed with a plethora of dark specialty malts and hopped in the kettle with just a handful of Czech Saaz. We then added a blend of green tea, honeybush and dried peaches and fermented in stainless steel for many moons. Brewed in collaboration with our basketball loving pals over at Dugges in Sweden. Notes of chocolate malt milkshakes, ripe stone fruit, drippy marzipan, and sticky toffee pudding.
- Barrel Thief Oak Aged DIPA : The hop has met its match! Barrel Thief is an Imperial IPA that was stolen from the brewhouse and stashed away in medium toast, new American oak barrels. The brew features a notorious tropical fruit hop character that tangles with hints of vanilla, dried fruit, and toasted nut from its time served in the barrel.
- Eventually Something : IPA brewed with oats and dry-hopped aggressively with Simcoe and Zythos. Brewed in collaboration with our buds from The Full Pint beer blog out of Southern California for their 10th Anniversary Celebration. Happy anniversary guys! Big notes of rock candy, ripe apricot, pine, watermelon rind, and grapefruit pith!
- Jester King Collaboration #1 (The Cornelian Prince) : WILD FRUITED "SAISON" WITH AGED HOPS, CORNELIAN CHERRIES, CRANBERRIES, & PRESERVED CITRUS, CO-FERMENTED WITH CBC AND JK HOUSE MIXED CULTURES, SS- AND BARREL-AGED AND BLENDED 6% ABV
- Never Mind : Never Mind is the next Gose in the Never series. This time we bombed the heck out of this Gose with plums. Good gracious this one is insane. Just as much fruit as Never Again, but this is just straight up plum juice. At 4.9% you can drink this for days.
- J. Pinkman Pale Ale : This Belgian-style pale ale is light burnt orange in color with characters of toasted bread, spicy herbs, fruit ester, and subtle caramel. Heavy hopping with Saaz and Hallertau hops provide the distinct spice character that is accentuated by a medium-light body and semi-dry finish.
- Heads Up : Heads Up takes our oak-aged sour wheat ale and conditions it on top of Guava Nectar, Orange, and Passion Fruit. Get our your milk caps because the POG inspired beer is playing for keeps!
- Belgian Dubbel : This beer is traditionally made with a rather simple malt bill but the unique flavors come from authentic Trappists yeast and over 80 pounds of caramelized sugars imported from Belgium. Aroma profile is full of fruity esters such as raisins, plums, bananas and a slight clove notes. A very low hop profile lets the complex malt flavors really stand out.
- Daily Double IPA : This hazy, juicy double IPA has citrus flavors that abound with subtle hints of tropical fruit. Flaked oats make it hazy and smooth. Then it's double dry hopped with tons of Citrus and NYS grown Southern Cross - two straight winners.
- Daydreamer : Originating from Cologne (Köln), Germany, the Kölsch style is historically only brewed along the Rhine (Rhein) River. The style is so regional that Germans in other parts of the country may not even be able to get it. We brought the style here and added our own little bit of personality by making the traditionally 4.5% alcohol beer closer to 7%. This full flavored dreamy Kölsch will stand out from the rest with its strong pineapple-like aroma and complex fruity flavor.
- 1000 Light Years From Home : With a taste that is out of this world this limited edition craft beer is not for the lactose or adventure intolerant. Dark & decadent , like the rings encircling a remote planet , this beer will tantilize your taste buds with roasted malts , organic cacao nibs and a slight sweetness derived from the addition of lactose. Crank up the oxygen tank and get ready to launch!
- Scratch Beer 94 - 2013 (Apricot IPA) : Our collaboration with Chef Matt Haley, in celebration of his latest restaurant, Papa Grande’s in Fenwick, Delaware, marries the bright flavors of his indigenous Mexican dishes with a with waves of tropical fruit in this dry IPA. We added more than one hundred pounds of puréed apricots to the wort during fermentation, and then dry-hopped it with three pounds of Citra hops per barrel creating an insanely vibrant citrusy character. This latest Scratch creation is extremely limited, so stop in sooner than later to experience this deliciously fresh, juicy apricot IPA!
- Grateful Red : This Scottish Style Ale is brewed with 11 different malts including a healthy addition of Toasted Rye, a Smoked Irish Bog malt, and a Scottish Peated malt. Balanced by a noble German bittering hop and the addition of West coast citrus hops for flavor and aroma. The fruity note's and earthy ester's from the ale yeast create a nice contrast between the bitter hops and the sweet maltiness of this brew. Great Balance, Great Complexity, Great Drinkability.
- Newburgh Roggensour : Brewed in the Berlinerweisse-style and coming in at 3.0% ABV, you’ll be greeted with tropical fruit notes from the Brettanomyces, complimented with spicy accents from the rye.
- Saxony Lager : Decoction mash and the exclusive use of Vienna malt creates a traditional malty character. Lightly hopped with Bavarian hops and left unfiltered, yielding a lightly fruity aroma.
- Wild At Heart : Wild at Heart is an audacious new ale in our Brewermaster’s Obession Series. In a rarely-employed technique we use only wild brettanomyces yeast in primary fermentation - the very heart of the beer. The brettanomyces yeast imparts robust fruit flavors and aromas, and combines with Motueka and Topaz hops to create uncommon tastes and aromas.
- Scotty's Weirdo Pear Pale Ale : With an open spot on the brew schedule for this month, Scott, brewer, demanded that we make a pale ale using an english yeast fermented at a higher temp for to produce lots of fruity esters. Scott also added tons of pear and a touch of cinnamon. It's subtly spicy, with lots of ripe fruit aroma and flavor. Scott's motto, "Scoop it up!" is good advice when it comes to this beer.
- Grevensteiner Original : The beer presents itself in a palely amber colour with orange reflections and a mellow soft head. The complex flavour is firstly dominated by caramel with a slight undertone of honey, roasted almonds, and fresh fruity flavours that bring tastes of green apple to mind. Grevensteiner Original appears very crisp and elegant despite its round and malty-sweet body. A smooth toasty character paired with nutty flavours opens a distinctive finale, which unfolds impressions of butterscotch.
- Counterculture Common : Sour Mash Southern Style Dark Lager
- Reality Checker Series: Mango Passion Fruit Berliner Hopped With Equinox : This experiment in the Reality Checker Series is our house Berliner elevated with big flavors of tropical fruit and berry, accentuated by the tropical notes in the equinox hops used in dry hopping.
- Burdock Brett Farmhouse Saison : Fruity, funky, & spicy. A more complex version of our New World Saison. Smells like someone misdelivered a shipment of over-ripe pineapples into a sheep barn.
- Lost In Paradise : Passion fruit, pink peppercorn saison.
- Moka Java Milk Stout : Just like the coffee house favorite (without the chocolate). This stout is sweet & roasty, with notes of dark chocolate and a big coffee nose.
- Category 4 - Belgian Quad : The highlight of this Belgian Quadrupel is a rich malty presence with satisfying impressions of dark fruits, such as plums, dates and raisins. Characterized by its reddish amber color, this Belgian Quad has a 10.6% ABV with complex malt flavors and yeast esters leaving the Belgian fan with a warm satisfying experience.
- Santa's Lost Wallet : In the course of some off-season revelry at Bear Republic, Santa lost his wallet at the bar. Upon recovery of the wallet, Santa and the brewers crafted this dark and luscious blend of ales. The base is a brandy barrel-aged Belgian brown ale that features the sweet notes of brandy, house-made candi syrup, and a touch of nutmeg; blended for balance with Bear Republic's roasty Big Bear Black Stout and molasses-heavy Pirate Stout.
- Saving Daylight: Guava : Saving Daylight: Crisp, Refreshing, Citrusy. A quaffable American Wheat Ale brewed with orange and grapefruit peels. The hop back addition of whole-cone Centennial hops balances the citrus and provides a subtle yet flavorful bitterness. This complex take on a wheat ale is brewed for the days you just don’t want to end! 
- Golden Wild Ale : Golden Wild Ale fermented with Lactobacillus, Pediococcus, and Brettanomyces. Aged with fresh zest from Meyer Lemons, Limes, and Grapefruit. Dry-Hopped with Cascade.
- Tenacious Wee - Woodford Reserve Bourbon Barrel Aged : A longtime cult favorite and one of Curt’s personal favorites makes its return aged 20 months in Woodford Reserve bourbon barrels. This Wee Heavy showcases a complex malt backbone along with strong caramel notes and barrel character.
- Angry Mob : A malt-forward, easy-drinking English Mild brewed with a touch of toasted buckwheat for a toasty, nutty flavor.
- Feast Like A Sultan IPA : Our India Pale Ale takes it name from the exotic oils that might have been available to a Sultan of early trade routes. Made from a combination of American 2-Row barley, Crystal and Munich malts, this IPA is well balanced with grapefruit and passion fruit citrus flavors and aromas. American Ale yeast provides a clean background for the hops to stand out in this ale.
- Blue Collar Porter : A medium bodied, robust porter. This English style ale was originally named for its popularity with the porters and other laborers. It’s very dark in color, with a rich, roasty aroma. Its medium, malty body is layered with flavors of caramel and sweet chocolate and finishes with a prominent roasty character. This robust porter will have a slightly more malty and sweet chocolate body when compared to our Sheehan’s Irish (dry) Stout, which has a thinner body with a much roastier, dry finish.
- Debbie Downer Dunkelweizen : Debbie Downer is a traditional German Dunkelweizen made with a base of wheat and Munich malt. A touch of black malt is added to give this beer its dark hue. The malts are complimented with a single addition of imported Hallertauer Hersbrucker hops. Add in some German yeast and you get a crisp, effervescent beer sure to quench your thirst and lift your spirits, after you encounter the miser of your Debbie Downer.
- A Coffee Two Tree : A strong Dark Ale that is a blend of barrel-aged Barleywine, barrel-aged Weizenbock, and Old Ale, briefly aged on Guatemalan coffee roasted in house by Hardboiled Coffee Company.
- No Rest For The Wicked : No Rest For The Wicked is a distant cousin of No Sleep Till Brooklyn, a collaboration beer we did with Jeppe of Evil Twin/Tørst almost a year and a half ago. Because we love the interplay of tart and roasty so much, we decided to brew a similar style, this time with a revamped malt body and more bugs! Yes, that’s right, this stout is a veritable mecca for the sorts of yummy bacteria that make you pucker. With strong notes of cocoa, delicious undertones of sour cherry, complex brett-derived aromatics, and a 6 month power nap, this beer is one of those perfect sippers we wish we could keep all to ourselves.
- Brewmaster’s Selection Wild Tripel Hop : The Brewmaster’s Selection Wild Tripel Ale is an audacious combination of craftsmanship and experience. 2 American hops, Amarillo and Cascade, are added to our well known Petrus Tripel to enhance the character and aroma. On top of this, the brewmaster adds 15% of our foeder beer to give it a touch of sourness and fruitiness. This beer is an unprecedented combination of a hoppy tripel and sour foeder beer.
- Sugar River Stout : Brewed with dark brown sugar and molasses.
- Mai Tai P.A. : 2015 GABF gold medal winner, International-style Pale Ale category. "Tropical" IPA brewed with 100% Mosaic hops, lending intense aromas of passion fruit, guava, and lychee. Light on bitterness, but big on hop flavor with dry finish.
- Propagation Series No. 3.3e4 : Ale with Lactobacillus, Brettanomyces, and Passion Fruit.
- Imperial Galaxyc Cirrocumulous : Part clouds of the cosmos on a quest for the elusive Australian Galaxy hop. This complex double IPA bursts with succulent aromas of peach, citrus and tropical fruits, swirling over the creamy haze from juicy hops and the exquisite fermentations of House IPA yeast.
- Coconut Milk Stout : Toasted coconut wafts from the glass, with a mixture of dark and milk chocolate. Hints of roast blend with the coconut and chocolate on the palate. Lactose additions increase the texture and body of this stout making it silky, rich, and smooth.
- Doc Perdue's Bobcat : West Coast American Pale Ales and IPAs have inspired Doc Perdue’s Bobcat. Hops are loaded from top to bottom in this ruby red beer showing off aromatic pine, zest, fresh citrus and tropical fruit. The body is smooth and gently bitter, while the hop aromas are bright and vibrant.
- Krampus : Krampus Imperial Black India Pale Ale's dark, roasty malt aroma combines with a piney, resiny hop scent to intrigue your senses. Dry hopping with citrus, spicy, and earthy hop varietals results in intense, danky hoppiness up front that leads to a smooth finish.
- Truce 2017 : The 2017 edition is brewed with dried figs, raisins, star ainse and fermented with an expressive Belgian yeast strain. Notes of dried dark fruit, rum-soaked raisins, and Christmas cake spices. Deceptively easy-drinking!
- Steiner5v.1 : Round 2 in our 5 single hop session IPA series. Brewed to be light in color and malt flavor in order to showcase the hops, v.1 uses an experimental hop not yet on the market. This bitter and hoppy beer packs a lot of fruit aroma and flavor: black current, tropical fruit, floral hints, tangerine and orange, and a touch of pine.
- Highland Pilsner : A finely nuanced pilsner featuring German Hallertau Blanc hops and three other Hallertau region varietals. Saphir, Perle, and Hersbrucker hops add notes of stone fruit, pepper, and lush grass to the German pilsner malt body. Cold fermented with lager yeast for a crisp, dry finish.
- Tropical Hoptical : Tropical Hoptical is a tropical fruit-centric take on Hoptical Illusion IPA. We loaded our signature IPA with mango, guava, and pineapple for a bright, sweet finish that balances the pine and citrus hop character.
- Brewer's Brunch Blend (2014) : We have once again created a great blend from the brewery for our cellar stash release. This years is a blend of 30% Honeybell wild and sour tangelo farmhouse ale, 30% 2013 spontaneously fermented Turbulent Consequence, and 40% Tripel matured in French Cognac barrels with fresh pressed grapefruit juice. 8.25% ABV
- 2013 Eisbock (Aged 3 Years In American Oak Wine Barrels) : This beer is big, malty, slightly fruity, and high in alcohol. The higher alcohol is a result of the icing process where a portion of the water is frozen and removed from the beer. This one spent 3 years in American oak wine barrels from the Smith-Madrone Winery in Napa Valley. Look for great vanilla and coconut notes from the wood. Brilliant dark ruby red in color. Served in a snifter. Champion in the Winter Beer category at the Great Alaska Beer and Barleywine Festival in 2010, 2011, and 2013.
- Shifting Gears IPA #13 : Our ever rotating Shifting Gears IPA brings us a new IPA with every batch! #13 is brewed with 2-row and Vienna malts, and heavily hopped with Warrior for bittering, as well as Magnum and CTZ (Columbus/Tomahawk/Zeus) for a hefty grapefruit rind, pine and resin dankness.
- Barn Door : Barn Door is mashed with Continental Pilsner, dark Munich and a combination of rye and oats; then hopped with traditional Styrian Golding and finished with Amarillo. Fermented with our blend of four different Saison yeast strains this beer finishes dry with a hint of citrus and spice.
- Hurricane In Kingston : Our take on one of our favorite classic cocktails, the Dark and Stormy: a spicy-estered Saison aged three months in a Jamaican rum barrel with fresh ginger and hand-squeezed lime. The resulting brew is bright, crisp, perfect for a hot summer and a dead ringer for the cocktail it was inspired by.
- Black Irish : Dark velvet beer. Its Caramel and roasted malts give it a deep bodied, harmonious taste and its bitter hops give it strength. It is quite a strong beer, brewed mostly in winter.
- FoRIster : This collaboration beer, a first for their barrel aging program, was inspired by, and brewed for Newporter Bobby Forster. A former employee of Newport Storm, Bobby was diagnosed with A.L.S. in December of 2014. Newport Storm is no stranger when it comes to brewing IPAs, but barrel aging a double IPA can be a tricky task. The addition of Cascade, Citra (Bobby’s favorite) and Motueka hops after aging were key in crafting a brew that boasts of orange, grapefruit and nectar fruits. Canada pale malt and malted wheat give foRIster a golden hue and 3 months of barrel aging leaves a slight oak finish on the palate.
- Nicene : Nicene was brewed with traditional Saison ingredients to provide a rustic, bready malt backbone and paired with the tropical fruit forward wine and French oak notes achieved from the Gewurztraminer wine barrels. Over time, Brettanomyces and Lactobacillus will continue to develop the gentle sourness and earthy flavors. This Sour Saison was manually packaged with tremendous care and bottle conditioned with high carbonation for optimal enjoyment in a tulip glass.
- East IPA - No. 3 : An East Coast Style IPA, brewed traditionally but aged on Harney & Sons Organic Passion Plum Tea. Tea aged IPAs are a staple in the brewery, but as a special for HV Craft Beer Week, we wanted to highlight farm fresh apricots in this already unique and complex ale.
- Noah's D'Ark : A Belgian Dark brewed with wild hops and prickly pear cactus fruit harvested along Clear Creek and Bear Creek, after the floods.
- Little Lobster On The Prairie : Little Lobster on the Prairie is a Farmhouse Saison that is lightly hopped with Galaxy hops and fermented with Brettanomyces Bruxellensis. This yeast brings notes of funky, musty, overripe fruits as well as light barnyard notes staying true to the farmhouse style. Refermented in the bottle with Blue Lobsters house yeast, this beer should be decanted and opened carefully as this beer is still developing in the bottle.
- Mosh Pit : This deliciously complex red is layered with floral hop aromas on nose, caramel malt flavors, a touch of rye and light bitterness to finish.
- Dunkelweizen : Don't be fooled by it's darker color! This mahogany-colored beer is a moderately dark, spicy, fruity, malty, refreshing wheat-based ale, perfect for these early fall months. Per German Purity Law, at least 50% of the grist must be malted wheat and this is no exception. Enjoy this version of the old-fashioned Bavarian wheat beer that was often dark.
- Maisel & Friends Stefan's Indian Ale : My interpretation of a traditional India Pale Ale, with a pleasant dose of bitterness and a fresh, fruity taste. Inspiring and exotic. Surprises with citrus notes and floral nuances and finishes with hints of wild honey and caramelized malt.
- Birra Nursia Extra : Birra Nursia Extra has a beguiling dark brown hue with luminous ruby reflections and a creamy, frothy head. Its aroma is characterized by notes of fresh yeast, dark berries and stone fruits, embellished with a touch of cocoa. It is a well-structured beer dominated by malty flavours with hints of caramel and liqueur, rounded off by a warm, dry and peppery finish.
- The Rose : Our best seller! A rich, golden color with the spicy aroma of clove and candy banana. The Belgian yeast shines bright on the palate, light and silky, with a clean, slightly drying bitter finish. Pairs well with afternoons on the lake; spring fare, white fish and fruit.
- Saison Mêlée : This "Mingled" Saison is a farmhouse style saison brewed with a mélange of grains: Barley, Spelt, Rye, Wheat, and Maize. Dry hopped with Mandarina Bavaria and Hull Melon hops. Layers of grain complexity accentuated with fruity hops.
- Gold Soundz : Our brown ale is brewed with both malted and flaked oats (and pure gold) delivering a malt forward, nutty aroma with a rich mounthfeel.
- Mull It Over : Mull it Over is a dark amber colored winter warmer ale brewed with mulling spices and honey. This brew is a potpourri of fragrances, including fruit, seasonal spices, and sweet toffee. The initial flavors are a complex array of anise, clove and nutmeg, balanced by a significant amount of malt sweetness. A layered finish of bitterness, spice, and citrus peel warms with a sizable alcohol content.
- Sanus Spiritibus : Aged for two months in bourbon barrels with two strains of Brettanomyces, our Sanus Spiritbus explores uncharted territory, bringing together the vanilla and maple character of the wood with the complex funk of wild yeast. This is a beer that will continue to develop in the bottle for several years, with Brettanomyces coming to dominate the aroma completely. Only 38 cases produced.
- Tropical Galaxy : Tropical Galaxy is a cosmic elixir of lush equatorial flavors. We blended mangoes, lime and coconut together in oak foedres with our farmhouse-brett base beer to create a far out and funky tropical treat. We finished it with a generous dry-hopping of Australian Galaxy Hops, contributing aromas of passionfruit and citrus. Enjoy on your next intergalactic odyssey with fresh crab, jerk chicken or scallop ceviche.
- Northern Star Mocha Porter : Our Northern Star Mocha Porter takes the timeless combination of coffee and dark malt flavours to a whole new level. Brewed in collaboration with Leeds' local master coffee roasters North Star, we blend their specialty ground coffee beans into the brew, providing a Yin-Yang harmony between roast bitterness and dulcet hints of hazelnut. On top of this, we add in dark chocolate for a rounded richness and natural milk sugar for a smooth, creamy mouthfeel. The result? A robust yet delicate cold brew that you'd crave from the moment you wake up.
- 6:66 : Imperial black IPA. Those who venture past the darkest hour are consumed by it. Armed with the darkest malts and most sinister hops, this imperial black india pale ale is the perfect vice for those drawn to darkness.
- Salty Kiss : Originally a collaboration brew with Kissmeyer Beer. A traditional German style Gose, flavoured with Gooseberry, Sea Buckthorn and Sea Salt. Tart, lightly sour, fruity and refreshing with a defined saltiness an excellent accompaniment to food. - See more at: http://www.magicrockbrewing.com/product/salty-kiss/?age-verified=cc74b1943d#sthash.DfjgrPBs.dpuf
- Stoned Fruit Session IPA : *Stoned Fruit Session IPA – This cask is based on the Slingshot Session IPA, with added Ahtanum and Galaxy hops to compliment the Okanagan peaches.
- B2D2 : Hints of dark fruit and pine with a rich amber hue like the IPA's of yesterdays.
- Bourbon Barrel Wood Burner : The base stout focuses on rich caramel and chocolate notes with a deep savory/smokey backbone. The entire batch found its way into bourbon barrels where it rested for over a year. An enticing combination of sweet and savory, with waves of dark chocolate and vanilla that wash over the palate.
- Nodak Steam : Nodak Steam California Common Lager is light amber colored and medium bodied with a toasty caramel malt character. Mildly fruity with some slight hop bitterness, this one finishes extremely clean.
- DC Hiraeth : Hiraeth, a Welsh word that loosely translates to "an intense longing for one's homeland", spent nearly a year in red wine barrels, and was brewed with locally grown sorghum & oat malt from Deer Creek Malthouse. The earthy sorghum undertones lead the way to fruit notes of pineapple and pear, before finishing with a lemony, peppery, dry, tartness. This saison is complex and very unique, and is definitely not one to be missed!
- Hop Buggy : Organically grown oats, wheat and rye from Amish farmers in Lancaster County gives our new ale a full, complex malt profile. A full buggy load of Apollo, Bravo, and Calypso hops deliver a big hop flavor.
- Vexovoid : An ale as complex and mystifying as a lovecraftian tale. A broth of barley and wheat is brewed, inoculated, and incubated over many day. The resulting miasmic concoction is fermented with Brettanomyces, creating a wonderfully tart beer which is unsettlingly delicious. Allowing this beverage to continue its slumber within this glass tomb will allow for mystical forces to further infuse this beer with otherworldly flavors and complexity.
- Dubbel : One of our trappist-inspired beers.Complex flavours from three character malts and dark sugar,combine with our favourite Belgian yeast for our take on this traditional Belgian style. From olfaction to first sip, there is a pronounced dark chocolate, rum-raisin aroma, but the beer’s high carbonation cleanses the palate and stops this becoming too much of a good thing! Earthy-herbal notes (an enticing mix of liquorice, fennel, coffee and honey) then come into play, with the mandatory Belgian banana flavours revealing themselves at the very end.
- Straight Outta Newport... Oregon : We set out to brew a huge West Coast IPA to satisfy the thirstiest hop heads. Bursting with Citra, Mosaic and Comet hops, Straight Outta Newport packs a wallop of citrus aromas and fruit flavors to create a beer unlike any other we've ever brewed.
- The Cut: Grape - Red Chambourcin : Our first grape beer from the 2017 harvest! Chambourcin is a red grape variety with blood red juice. We sourced several red grape varietals last year, but this was by far the darkest we saw during our crush. We aged the barrels of Oak Theory on the grapes at a rate of 4 pounds per gallon for 2 months to get the maximum extraction of color and flavor as we could.
- Wild Sour Series: Blueberry Gose : Our Leipzig-style gose and blueberries are a combination destined to be together, so we've done that for you with this edition of our gose. The blueberries add another layer of fruity complexity to this sour ale already know for its tart, citrusy qualities while still balanced by the spicy character of coriander and a mineral-mouthfeel from French sea salt.
- Right O' Way Dark Saison : A Belgian style saison for the cooler months of the year; it has the fruity, spicy notes typical of summer saisons, along with the bone dry finish. Unlike the usual saison however, the color is a deep brown and finishes with a touch of chocolate from the darker malts used.
- Thresher Coffee Saison : Built from the ingenuity of North Carolina artisans, we utilize Riverbend Malt's barley and wheat and, for this season, we used Kushikamana, a Kenyan single-lot seasonal bean from Counter Culture Coffee to maintain the beer’s rich golden color. The exhibition of phenols from our farmhouse yeast meld perfectly with aromas of stone fruit, roasted nuts, and subtle coffee.
- No. 9 IPA : Our flagship ale. Glowing, ruby-tinged colour. Piney, citrus bouquet. The taste is a finely tuned balance of power, big malts and big hops underpin the beer's high gravity. Dry hopping contributes to No.9's distinctive grapefruity finish. Nine traditional ale malts and Cascade hops.
- Lomaland : Lomaland is an earthy, rustic Belgian-style farmhouse ale that's both complex and quaffable. It smells like hay, pepper, and friendly sunshine. Its dry, cracker-like body and lightly-hoppy finish makes it a beautiful compliment to food. We named Lomaland after the brilliantly crazy utopian community that was the first settlement built in Point Loma, the San Diego neighborhood where our fermentorium is located.
- Brother Maynard : From the caves of Caerbannog, to the frozen lands of Nador, there is much rejoicing! Brother Maynard comes to blow thy enemies to tiny bits, in Thy mercy. Five hops and five (three, sir!) three malts taunt your palate until you run away. Pairs well with lambs, and sloths, and carp, and anchovies, and orangutans, and breakfast cereals, and fruit bats, and large…
- Charapa : Porter brewed with Amazonian cacao (bitter chocolate), Florida orange blossom honey, and Aji Charapita pepper (a yellow pepper native to South America) that produces a subtle spice on this American Porter. A mix of dark, roasted malt rounds out the body and mouth-feel of this fine beer.
- Zomerblond : With the summer months ahead it’s high time for a new limited edition beer. As an answer to the scorching heat we will hopefully get, we made the Zomerblond (Summer Blonde). The solid bitterness with fruity flavors of the Waimea, Cascade and Chinook hops make this a lushly refreshing beer, which due to only 4.8% alcohol is very drinkable in the sun. Great beer for on a terrace, balcony or in the park. And of course indispensable at any barbecue.
- Chai Dog : Chai Dog, a spiced Imperial Milk Stout with vanilla and chocolate, is our answer to the chai tea. It's a rich, silky brew with a fragrant kick from the green cardamom, ginger, and anise. It's been a while since we've made this complex and balanced milk stout, and it's returned is like receiving a visit from a globe-trotting friend.
- Heir Apparent : Heir Apparent is an Imperial Stout with a complex caramel soul tempered by chocolate and roasty undertones. Sweeter than our Russian Imperial Stouts at only 60 IBUs but balanced by the heat of fresh Mexican peppers, Vanilla, Cinnamon and Cocoa Nibs. The Heir Apparent is ambitiously biding his time until he comes to power. His time will come.
- Passion Project : Stone Reason Be Damned Belgian-Style Abbey Ale aged in Red Wine & Rose Barrels w/Stone Farms passion fruit added.
- HopLab: Eureka : This is a 6.6% India Pale ale brewed with all Eureka hops in the kettle and Eureka, Mosaic and Simcoe in the dry hop. This beer has a deep orange hue from the medium crystal malts and a slight toasted malt flavor from the victory and pilsner malts. The result is a medium body IPA with dark fruit, pine and resinous flavors and aromas.
- Pangofeber : Brewed with passion fruit, pineapple and mango.
- Freerise Brown : Cheers to Belgian Beers! We jumped on board with Oregon Brewers Guild again this year with their themed Belgian beer fest using a common Belgian yeast strain; this year’s is the Abbey II from Wyeast Labs. This ale is dark but smooth for its strength. Hints of toasty malt and subtle dark fruit tease you to explore it more with another sip. Medium bodied with just a hint of roasty chocolate bitterness, this is sure to please the dark beer lover in the warmer months to come!
- Stirner's Iron Stout : Loads of chocolate malt and roasted barley create flavors of bitter chocolate brownie mixed with black coffee. Hopped with Falconer’s Flight for some background grapefruit and resinous flavors
- Brandy Barrel Honey Ale : Goodwood uses casks from some brandy distilling friends to patiently age our Honey Ale – super freaking patiently, actually. Goodwood Brandy Barrel Honey Ale is brewed with locally sourced honey and aged several times longer than our other barreled beers. But you don’t have to wait another second. Go ahead. Skip the part about “notes of malt, mead and dried fruit,” and get to sippin’!
- Booby Trap : Generous additions of Citra and Simcoe meld tropical fruity hop flavors with a fruit driven Belgian saison yeast. Hops and esters exude harmony with pineapple, papaya, citrus, pear, and spice. Honey like malt character. Drinks easy for the abv.
- Revive : Wood Aged Fruited Sour Ale w/ Pineapple and Chamomile
- Belô Petroleum : Named from Latin, Petrus (Rock) + Oleum (Oil), Petroleum is the Brazilian crude oil in form of beer. Dark, rich and complex as the name says, this beer is loaded with cocoa chocolate and coffee aromas. Roasty notes and bready yeast. Velvet and smooth mouth feel, with a light carbonation. Slightly hoppy balance with high alcohol. Discover it with us.
- Embrace The Funk - Hail Fellow Well Met : Collaboration between Yazoo and Jackie Os. A dark strong base ale brewed with Ohio harvested spicebush berries then fermented with a blend of each brewery's house mixed sour cultures. Aged in Chattanooga whiskey barrels and conditioned on black currants and blackberries. A beer born from friendship, admiration and collaboration.
- Euporie Tide : Grisette - Juicy Fruit, peppery, dry.
- Sunnyside Wheat : Named after the best Denver neighborhood with the best neighbors. A crisp, clean, quaffable American wheat with a slightly fruity aroma; soft, bready flavors and a smooth finish. Unfiltered, yet crystal clear, this beer drinks like a light pilsner.
- Hop Gose The Grapefruit : Aromas of fresh citrus hop and grapefruit with a light wheat body, moderate bitterness, and subtle saltiness. Finishes crisp with tartness derived from Lactobacillus, grapefruit zest and plenty of Cascade dry hop.
- Sur Amarillo : An intricate, sour, friendship starts here. Single hopped Amarillo IPA, partly sour mashed to create a fruit bomb seen no where else…
- Mango Juxtapose Wild IPA : At the heart of this nectarous west coast IPA stands the juxtapostion of ripe tropical fruit esters and mild Brett funk. Moderately bitter and gracefully balanced.
- Desert Dawn : Seeing is believing when it comes to this bright and juicy brew. Desert Dawn is loaded with tart wild berry, dark fruit flavors, and spice that are just as vibrant as the color of the beer itself. This thirst quenching, light bodied treat will have you smelling the scent of elderberries while dancing on the wind.
- Barrel-Aged BAD OMEN : Belgian Pale Ale with Fruit. Aged for 6 months in a French Chardonnay oak barrel, our Belgian Pale Ale GOOD OMEN, augmented with an addition of over eighty pounds of raspberries and cherries. Fermented to dryness, slightly tart.
- Autumn Rush - (Barrel Aged) : Autumn Rush is the second release of our Barrel Aged Project Series. This Imperial Breakfast Stout features an infusion of hazelnut and locally roasted coffee. We took three different Tioga-Sequoia specialties and aged them in a blend of High West and Heaven Hill whiskey barrels. Look for bold flavors of fresh roasted coffee, hazelnut and dark chocolate, with delicate flavors of oak, bourbon whiskey, and dark fruit as it warms. Enjoy now of cellar for later.
- Variant 4 : Brett dark strong ale soured on peaches and matured in peach brandy barrels
- Gimmie That Coconutt : Though dark in color, this milk stouts flavor and aroma can be deceiving. With a hint of coffee like bitterness from chocolate and small amounts of roasted malt, Gimmie That Coconutt coats your mouth with a smooth creaminess from the generous amounts of coconut added. Think Mounds Bar (indescribably delicious), then unwrap Gimmie That Coconutt, drink and be happy!
- Johnny C's : Deep brown with off-white head. Spiced caramel malt sweetness layered with dried dark fruits, and Belgian bread aromas. Sweet malty flavors dominate with mellow Belgian spices. This Trappist style ale is rich and smooth with a warming alcohol buzz.
- Whiskey Barrel-Aged Swan Song : This is our Belgian Dark Strong beer (and GABF Pro-Am entry), but aged for seven months in Breckenridge Bourbon barrels!
- Mango Chili Prince : Fruit & Spice Infused IPA
- Proton : The first beer in the atomic series. DIPA brewed with Azacca, Simcoe and Lemon drop hops. Dry hopped with Azacca and Simcoe. Pleasant tropical fruit notes, Juicy and drinkable.
- Cyclone IPA : Originating in the South Pacific, this storm rotates clockwise, opposite to a Hurricane. This IPA contains generous helpings of Down Under hops: NZ Pacifica, NZ Motueka and Aussie Ella. That means complex orange, grapefruit and spice notes and South Pacific brewing heaven. Batten down the hatches; this brew will knock your socks off.
- Summit American IPA : The newest member of our American IPA lineup. The Summit IPA is loaded from start to finish with Summit hops. This crispy refreshing IPA starts with a bit of tangerine and finishes ruby red grapefruit. It has just enough malt to help balance it without making it heavy or sweet. - See more at: http://www.nattygreenes.com/beer/tap/37
- Calypso (Single HOP Series) : Calypso hops are a dual purpose hop that was originally bred from the Nugget hop varietal. These large, square-ish hops have an alpha acid content of approximately 12% – 14%. Prized for their fruity character, we at HBC are excited to bring this hop to our single hop series.
- All Or Nothing : Hazy, Rock Candy, Evergreen, Fruit By The Foot™, Melon Smoothie. Hopped with 100% Mosaic.
- Joie De Vivre : Pronounced [zhwa-deh-veev], this delightfully indelicate American Wild Ale is the result of an 18 month long experiment in mixed fermentation and blending. Cabernet grapes from Paso Robles, CA, brettanomyces, and lactobacillus give this ale dry, fruity, and exceedingly funky flavor and aroma.
- Baby Steps : Petite Saison, 4.5%abv, Hazy gold farmhouse-style saison with a spritzy light body. Spicy, fruity & light with a hint of blood orange zest.
- S:t Eriks Orange Winter Porter : Pilsner malt, dark caramalt and chocolate malt. East Kent Golding hops.
- 100% Lacto Berliner Weiss : Brewed solely with Lactobacillus and exclusive to the Rare Beer Fest, this refreshing wheat beer has notes of pear, apple, and white wine fruitiness that finishes dry and mildly tart.
- Cowabunga IPA : American IPA brewed with Various Fruits.
- Yeoman Johnson I : The first in the ongoing voyages of Yeoman Johnson the redshirt. 100% Michigan grown hops: chinook, crystal, and heritage. Dank, resinous aroma with a spicy tropical fruit background, suggesting guava and grapefruit. Bitter, but balanced. There will be another Yeoman Johnson, but he'll be a different Yeoman Johnson. Same fate, though.
- Bruesicle: Melo Gold : Blended sour ale with Melo Gold grapefruit, ruby red grapefruit, pink guava, pineapple, lemon, Asian pears with lactose added.
- Scratch Beer 237 - 2016 (Pale Ale) : With Scratch #237, we’re going back to basics. Sticking exclusively to Cascade hops (a hallmark of American craft brewing) allows us to get down to the nitty-gritty flavors of grapefruit rind, black pepper, and earthy spice.
- Guess The Dry Hop Local's : Guess the Dry Hop Local’s is our light and very tasty lager, but with a fun new twist. Bursting with tropical fruit aromas, similar complimentary hop flavors are perceived within, but without any imparted bitterness. The light pilsen malt creates a soft and subtle flavor profile that finishes crisp and clean, once the initial hoppy perceptions subside. 
- Black Lager : Traditionally known in Germany as Schwarzbier, this Black Lager is great for casual beer lovers and beer explorers alike. It has a delicately roasted aroma with subtle hints of dark chocolate. The slow, cool fermentation lends itself to a smooth, full body with a crisp finish. Hints of coffee and stone fruit round out the center, providing a more delicate flavor than its robust, dark ale counterparts. Enjoy this wonderful German bier. Prost!
- Torcedores Series: Space Pope IPA : Is the Space Pope reptilian? That question remains to be answered, but in the meantime, we have his eponymous IPA to consider. Brewed with an astronomical amount of Mosaic, Citra, CTZ and (what else?) Galaxy hops that lend notes of passionfruit and melon to the clean flavors of base malt and a touch of crystal malt for depth of character. When your ecclesiastical jurisdiction encompasses the entire universe, only Cigar City's Space Pope IPA will do!
- Liminality : Saison delicately hopped with Saaz and East Kent Goldings and fermented in oak puncheons. Funky brettanomyces botanical notes mingle with ripe tropical fruit, vanilla, and pepper.
- Cocoa Fuego : Stout brewed with Dark Chocolate & Chipotle Peppers.
- Belgian Abbey Red : A deep red-brown color, this beer is very well balanced as a mild Belgian Strong. A nice warm boozy finish with notes of caramel, dried fruit and spices.
- Brandy Barrel Baltic Porter : Hardywood Brandy Barrel Baltic Porter showcases pleasant notes of roasted malt and caramel, on a backbone of cocoa and dark fruit, combining with hints of brandy for a delightful malty finish. 
- Hopperstad Series: Idaho 7 : Idaho 7 is a very new hop variety only released in 2015. It’s only grown in Wilder, ID, and it’s characterized by it’s pungent tropical fruit flavor and aroma (think orange, apricot, red grapefruit, papaya) with big not es of resiny pine and hints of black tea. Hop heads love how this beer bursts with flavor and aroma while remaining very drinkable and sessionable.
- Head Of Security : This deliciously dark brew is a sour American Brown Ale fermented with two separate strains of Saccharomyces-Cerevisiae (ale yeast) and Lactobacillis-brevis to create a distinctively tart yet multidimensional flavor experience. Prepare your palate for a lactic sour cherry bomb that carries nicely across the tongue, setting off tiny fireworks of acidity, each punctuated with a different flavor from the complex malt bill.
- Igor's Horn : A big, bold Black IPA that boasts a strong hop profile and, thanks to a heavy dose of dark roasted malts, an equally impressive malt backbone. The coffee and chocolate notes are balanced out by a pleasant citrus and pine hop character giving way to a clean finish.
- Canvas Series: Permeo : Permeo is a blonde sour ale aged in neutral wine barrels. In this New World sour ale, our house sour culture combines with over one pound per gallon of whole lychee and passionfruit to permeate the palate with tropical fruit funk.
- Vienna Cabinet Lager : Vienna and Munich malts accent both body and bright copper color. Hints of dark fruit and toffee linger.
- Apricot Pathways : Apricot Pathways is a unique blend that combines select casks of our stock barrel aged saison with a few casks of a fresh apricot wheat based saison brewed in the summer of 2017. A small amount of fresh wit beer brewed with calendula was also added to lend a contrasting floral note to the deep fruit character.
- Deep Secrecy : This is a wholesome, unfiltered New England style IPA. Slight bitterness with a fruity overtone.
- MoCo : This classic porter is served on nitro. It offers a rich, dark color and delivers a full roasted malt flavor. Chocolate and coffee notes are well balanced by a slight bitterness.
- Dark Helmüt Schwarzbier : A German style black lager. A generous amount of roasted malts give this beer its dark color and aroma while the lagering process gives it a smooth body.
- Elderberry Kombucha Berliner : This release of Kombucha Berliner Weisse features elderberry and lavender. This brew boasts tart notes of Kombucha, fruit (not sweet) notes of elderberry and an earthy lavender finish.
- Michelada De Finca : Utilizing our own Crossroads Farm’s bounty of tomatoes, we created this bright golden ale to showcase the delicate nuances of the "Cherokee Chocolate" and "Porkchop" tomatoes. The juice of the tomatoes is added direct to the kegged beer as we do with many other fruits at the farm. We steep fresh chopped jalapenos direct into the keg for a light aroma and just a touch of salt for a little savor the flavor. This is not your regular "red beer", but a NEW SCHOOL Agrarian version of a south of the border classic.
- Cinq Houblon Saison- The Beer Junction's 5th Anniversary Beer : Cinq Houblon is brewed with a high fermentation using a blend of traditional Saison yeast. To celebrate The Beer Junction's 5th Anniversary, we used 5 aromatic hops (Pekko, Galaxy, Citra, Mosaic, and Nelson Sauvin) to compliment the fruity, somewhat spicey character imparted by the fermentation.
- One Fish Bleu Fish : Our version of this classic Belgian farmhouse Summer ale is dry hopped with Sorachi Ace to give a pleasant lemon character that compliments the subtle blueberry flavor. This saison is a tad fruity with peppery notes from the fermentation on the nose and palate. This beer finishes dry and clean.
- Farnham Ale & Lager Hazy Camper : New England styled IPA with notes of citrus and tropical fruit. Finishes slightly resinous.
- Sieur de La Salle : Named for the first European explorer to navigate the Huron River, this saison is a fruity, earthy, spicy brew with a slightly tart, dry, & peppery finish.
- La Maison : La Maison, our “house” French farmhouse saison, is our tribute to the vibrant and varied saison style. Aromatic hops from the Pacific Northwest contribute fragrant notes of citrus, grapefruit and pine; and a generous dose of Indiana clover honey from Hunter’s Farm creates a bright, refreshing body. Enjoy a sip of the summer season any time of year.
- Whīt : A sour ale brewed with cranberries. This beer’s light bready malt character serves as an undertone to fruity, lavender, and herbal notes created by our own sour culture. The cranberry gives a subtle note in both the aroma and taste of this dry and complex ale. Pair this beer with swordfish, or fried chicken (a free will lunch time favorite).
- Brewers Series No. 3 - Farmhouse : Grand Teton Brewing’s third release in their Brewers’ Series in bottles is called “Farmhouse.” It is their second 2016 release in this series. This big, flavorful, traditional Belgian-Style Saison was aged in red wine barrels for eight months, taking on wonderful dark fruit flavors. The alcohol has become almost undetectable. Smooth, crisp, complex, delicate, this beer is perfect to enjoy fresh or cellar for years to come.
- Cuvée Peach : "Hardywood Cuvée Peach is artfully blended by our barrel master from small batches of Peach Tripel aged in white wine barrels, at varying levels of maturation, from three months to more than a year. The resulting beer is beautifully complex with yeast-derived stone fruit esters that harmonize with juicy peach undertones. This sparkling refresher offers a pleasantly dry finish with the slightest hint of vanilla from the toasted French Oak barrels.
- Curiosity Forty Three : The art and science of brewing continues to captivate us - every opportunity to experiment is enriching in a way that is difficult to describe. To that end Curiosity Forty Three aims to pair an expressive hop with an expressive fruit. Our current crop of Simcoe has been exhibiting wonderful characteristics of red grapefruit. To amplify and complement this character, we introduced peak Texas grown red grapefruit into the mix. Utilizing fresh pressed juice in the kettle and fresh rind during cold conditioning along with heaps of beautiful Simcoe hops, Forty Three exhibits authentic flavors and aromas of red grapefruit and tropical fruit and finishes with a clean and pure rind character. A soft body and supple mouthfeel contribute to a beer that is both well rounded, extremely flavorful, and wholly unique. We hope it can contribute in a meaningful way to a joyful holiday celebration.
- Über Quench'l : This is the amped up version of Citraquench'l, our staple IPA. Liberal amounts of Galaxy and Citra hops are used late in the boil and at the time of dry hopping. Loaded with tropical fruit and a tad bit danky.
- Adambier : An ancient German recipe dredged up by Sixpoint's Adam Zuniga (aka @beerandthecity), Adambier is intensely malty with tons of dark Munich malt and an extra long boil. We added some cutting edge flavor to our Adambier with experimental German hops, which provide notes of Mandarin orange and melon. 6.8% ABV
- High Falutin : Rich and malty with intense caramel flavors. Bold up front with some undertones of dried fruits in the finish.
- Samuel Adams Rebel White Citra IPA : This single-hopped IPA is a result of our exploration with Citra hops, a variety that has become popular for its intense citrus and tropical aromas and flavors. This slightly hazy IPA is bursting with grapefruit, orange, and tropical notes with a touch of white wheat.
- BC1 : Brewed in collaboration with Matt Gebhard, owner of Beer Culture. Single strain of brettanomyces for a fruitiness as well as dryness and some slight developing earthiness. Later addition Legacy, Nuggetzilla, and Cascade add fruitiness.
- English Mild : This mild ale is in the family of Brown Ales. Our ale is on the pale side of brown. It has a nutty character with a hint of tobacco. It is a smooth easy drinking ale that pairs well with our BBQ. 
- Kwikriek : Kwikriek is an American Sour Ale brewed with Northern Michigan cherries and Lactobacillus. This beer is bright pink in color and smells of fresh cherry. The beer is tart with a strong cherry flavor and finishes quite dry. Light in body with an appealing fruit flavor, Kwikriek is a very approachable sour beer.
- Rascal : Inspired by the mighty brewing styles of 18th century London, Rascal London Porter is piquant with spicy aroma and sumptuous mocha flavours silky on the palate with a complex, mellow finish. There’s mischief lurking in the embers of its dark mahogany depths.
- X-10 Saison Ale Brewed With Cantaloupe : The 10th entry in the eXile series, X-10: Saison brewed with cantaloupe, is medium-bodied, pale straw in color, and crisp on the tongue. Both flavor and aroma are dominated by cantaloupe backed by vibrant citrus fruit & subtle spicy flavors derived from a custom blend of Belgian yeast strains used in its creation, and balanced by a bready malt character and subtle hop bitterness that last through to the beer’s refreshing, dry finish. Kick back and “melo” out with X-10!
- Raspberry Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Raspberries bring an assertively tart, yet unsweetened flavor profile, striking crimson hue, and re-enforced tannic structure. Raspberry Soak is dry with undertones of oak and wheat.
- Barrel Aged Bona Fide (Templeton Barrel) : BA Bona Fide was aged in Templeton Whiskey barrels to add layers of depth and flavor with Madagascar vanilla beans and a single origin fully washed Peruvian coffee. Look for bold notes of wood, whiskey, coffee, and dark chocolate with nuances of vanilla. Barrel Aged Bona Fide pours opaque black in color with a firm tan head.
- Stay Lit : On a dark day in April, Three Floyds and Forbidden Root united over the mash tun. Forces of good and evil combined; they added cherry wood, yellow Birch, lactose and an obscene amount of hops. Their alchemy yielded a force so juicy, so full-bodied, and so complex, it caught fire--and lit up the horizon. 
- R&D Wild Bitter : IIPA brewed with Wisconsin malts, Yakima Citra and Sterling hops. Aged 9 months in Wild Fruit Cave. Dry hopped with Solvenian Savinjski. Spontaneous secondary fermentation. Final third fermentation in bottle.
- Father Of All Tsunamis : One-upping the mighty Tsunami Stout is no easy task. To create a beer with even more stout character, our brewers reimagined the fabled Tsunami Stout and created a new Imperial version. Full of rich roasty flavors reminiscent of dark chocolate and espresso, Father of All Tsunamis takes things one step further by aging in Rye whiskey barrels. With layers of spiciness, vanilla and caramel coming from these barrels, Father of All Tsunamis emerges with a richness and balance beyond any stout ever created at Pelican before now.
- Nacimiento : Nacimiento is a Barrelworks-Valley Brewers Collaboration. A Flanders inspired wild ale. Ten members from the Santa Ynez Valley homebrew club communally created a Belgian inspired red ale recipe, then brewed ten separate batches individually. After primary fermentation, we gathered at our barrel room to rack it all into a French Oak barrel along with a menagerie of our proprietary blend of microflora. Patiently we waited a full year. Now it’s time to celebrate! The resulting single-barrel collaboration is delicious! A mix of malt sweetness and fruit character in the nose, lends itself beautifully to oak spice, tart cherry flavors and oak dryness.
- Funk N' Barrels- Act 3: Honky Tonk Angel : In honor of the late Merle Haggard, we brewed a Barrel-Aged Barleywine aged 7 months in Four Roses Bourbon Barrels. This flavorful brew is exploding with notes of dark fruit, vanilla, and bourbon. Honky Tonk Angel clocks in at a whopping 11.3% ABV, so expect a little heat on the finish to cut through the rich oakiness and malt.
- Dewberry Tart : Crafted in the style of a Berliner Weisse, this limited-release beer features wild yeast and extended fermentation to deliver a deliciously funky bite. Local Texas dewberries are used to impart floral tones and a refreshingly fruity finish.
- Sugar Plum Fairy : Alphabet City Sugar Plum Fairy is a deliciously complex Belgian Dark Ale made with Belgian candy syrup, A special Trappist yeast and real plum purée.
- TBD Amber Ale : Deep red color, nose full of citrus and pine, rich malt body with notes of fruit, hop forward bitterness to balance and a medium finish.
- B/A/Y/S (Black As Your Soul) : Tear off your suit-and-tie straightjacket; this soulful beer plunges you into the blackness we are normally numb to. Submerge yourself in the riches of an alternate life, outside the corporate fishbowl. Obscured in the depths of this Russian Imperial Stout you encounter a full-roasted body that provides food for dark contemplation. Hiding behind the toasted tones lurk intriguing wisps of complex flavors: aged woods, fresh fruits, earthy nuts. This malty exploration of the soul leaves you wondering: was the darkness in the bottle, or was it in me all along?
- Castillo Coconut Porter : This one of a kind porter is a pleasant mix of dark chocolate and black malts. It's brewed with raw organic coconut and finished with Northern Brewer hops. ​
- Cellar Series: Porridge Bullet : A big and bold dark ale, brewed with four types of grain, aged in selected barrels and carefully blended to perfection.
- Hazy Train : All aboard! I..I..I..IPA it is a changin’, haze is the new black, henceforth Hazy Train will be crowned the Prince of Dankness. Pale in color with a blizzard of haze, there is no apology for its appearance. Fresh juice notes jump out of the glass and jump on your palate like they're taking stage at Wembly, followed by sticky dank hop and bright citrus aromas. Flavor is weighed down heavily with fresh cut start fruit, honeydew melon, grapefruit, and a zip lock freezer bag of the highest grade weed your roadies could score. The slightly velvety mouthfeel makes all those flavors merge and play together like a supergroup without it ever getting too bitter and going off the rails. Feel free to crush your pint of Hazy Train with reckless abandon.
- Photon : Photon is our light and crushable American Pale Ale loaded with pacific northwest hops. It pours a very hazy orange, releasing well-blended notes of apricot, tangerine, peach, mango, and pineapple. It tastes of soft juicy tropical fruits, hop resins, and a hint of biscuit. A smooth rounded bitterness with a touch of dryness ensures you’re ready for the next sip. This drinking experience is further enhanced with a soft and billowy mouth-feel that has made this the go to ale for the EQ crew, especially when a productive day needs to follow a fun night.
- Graffiti House : From Civil War scrawls on the walls of Graffiti House to illicit aerosol artistry we all endeavor to leave our mark. Our Graffiti House West Coast IPA asserts its presence with a potent aroma of passion fruit, mango, guava, and citrus. The bold and juicy tropical body is a unique signature of the Mosaic hops, while Cascade hops contribute to a clean citrus finish for a flavor so singular it leaves its own indelible impression.
- Sabotage (Collaboration With Cigar City) : Russian Imperial Stout brewed with cacao nibs and cascara, the cherry-like fruit of the coffee plant. It’s aged on coffee beans, and clocks in at a formidable 11% Alcohol.
- Wait Until Dark : Naked City Wait Until Dark (Nitro) - This rich, decadent stout was brewed with generous amounts of Chocolate Malt, as well as dark Crystal Malt and Roasted Barley. Full bodied with deep flavors of hazelnut and dark chocolate, Wait Until Dark is inspired by the 1967 Audrey Hepburn thriller. Aged on medium-toast French oak. If you’re in need of comfort, Wait Until Dark. ABV: 6.30%
- Diamonds And Pearls : Diamonds & Pearls is a slightly salty brew that also packs a hop punch from a new, grapefruit expressive, experimental hop variety. A dose of Nelson Sauvin hops add notes of Grape and Gooseberry. Finally, we dry hopped with a blend of the two hops to accentuate the flavor with a powerful aroma.
- Two For Flinching : Two for Flinching is a double IPA brewed with pineapple, mango, and lupulin powder, created in collaboration with the crew from RAR Brewing. Along with inspiring the name, the two fruit additions impart aromas and flavors that complement the notes from Simcoe and Citra hops. The result is complex and enticing - bold at 7.5% ABV but luscious enough to keep you hanging around for another sip.
- Belô São Francisco : The brewery is located in the neighborhood with the saint's name. To honor the neighborhood, this was the first recipe brewed. It's a Brazilian Dubbel with South American raisins full of dark dried fruit, caramel and spicy aromas. Medium carbonation, great balance and complex character. 
- Black Hand : Made with TCHO Ghanaian Roasted Cacao Nibs. This chocolate milk stout is full-bodied and creamy, with sumptuous chocolate notes and a delicate roasted character. Black Hand pours a rich dark brown with a milky coffee-colored head. Bittersweet chocolate and roast envelopes the nose, carried by roasted cacao nibs and chocolate malts. The aroma blends effortlessly with soft flavors of dry chocolate and darkly roasted malts. The addition of milk sugar provides a silky smooth body, with a subtle natural sweetness of cream.
- Eggnog IPA : Inspired by an iconic yuletide cocktail with a twist of what a modern beer should taste like. An IPA shaken up with egg white and with lactose, natural bourbon type flavoring, nutmeg and vanilla added. It’s creamy, nutty, comforting and rich with nostalgia.
- Necessity and Invention : In collaboration with Icarus Brewing...Necessity and Invention was created with ideas from both brewhouses; a hazy 5.5% easy drinking American Pale Ale brewed with El Dorado, fermented with tropical Guanabana fruit, dry hopped with El Dorado and Mosaic Lupulin, and back sweetened with Lactose.
- BOFT IPA : Bursting with citrus, tropical fruit flavors and aromas supported by a clean malt backbone. Created from a combination of classic American and experimental hops.
- Route Of All Evil Black Ale : A hefty Black Ale with profound malt and hop complexity. Neither Stout nor Porter, it will be its own thing – full-bodied, bold and black. Flavor characteristics of dark chocolate, mocha, molasses and dark fruits. Balanced by piney citrusy notes of Pacific Northwest hops. Full-bodied and uncommonly satisfying at 7.5% alcohol.
- Dinkel Wheat : Dinkel Wheat is our Spelt Saison dry hopped with Cascade. Spelt is an ancient grain related to wheat, and it is sometimes known as 'Dinkel Wheat'. Spelt has a bready flavor similar to wheat, but is very high in protein, which lends a more full body to this dry, tart, and hoppy farmhouse ale. Dry hopping with Cascade after aging in French Oak Puncheons lends citrusy notes of grapefruit and lemon.
- Stone Age Love : Cherries paired with golden sour beers stand the test of time, which is one reason why we wanted to blend Stone Age Love, our golden sour beer aged in oak barrels with tart cherries. With 84 pounds of tart cherries per oak barrel, Stone Age Love radiates with flavors found in summer stone fruits. This sour showcases notes of fresh-picked cherries, juicy peaches, and tart plums with hints of melon.
- Denial IPA : Vermont IPA light and hazy flavored with Simcoe and Amarillo hops, giving it a great citrus note with subtle pine, and passion fruit flavors. Extremely crushable beer!
- Petrus Fruited Sour : Petrus Aged Pale with fruit
- Boon Oude Geuze A L'ancienne Vat 110 : Oude Geuze Boon VAT 110 has given its light, dry but very full-bodied taste, with a hint of vanilla and dry fruit, thanks to foeder No. 110. This foeder was previously used as a cognac cask and has been serving the brewery since 2009 as Lambiek vat. This ancient geuze is characterized by a wealth of aromas, developed by the Brettanomyces yeast in the barrel.
- Rhuboise : A fruity, tart and elegant ale with brettanomyces yeast. Loads of raspberries and rhubarb are added during the secondary fermentation.
- Rock Wit Me : Orange juice, zest, hints of coriander seed. Fruity with a dry finish
- Apiary - Mead Barrel-Aged : The same malt bill as NDP but we added local Ocean Township Black Locust honey to the kettle. We then aged it for six months in mead barrels we received from our friends at a NJ winery. These were originally bourbon barrels that the winery used to age a honey wine or mead in for several months. The combination of local honey, four yeast strains and a twice used barrel yields a complex beer with hints of oak, vanilla and honey and a touch of sweetness in an otherwise dry saison.
- Pale Horse : Our German Style Pale Ale is expertly crafted for maximum drink-ability. This is not your ‘Just have one’ craft beer, Pale Horse is the perfect beer for any occasion. With a recommended serving temperature of 45F, the exact temp at which hell freezes over, Pale Horse has been touched by the flaming hand of the Dark One for a golden color with a toasty light malt finish.
- Dark Beer : Do you guys make a dark beer? Heard that one all summer, when I thought everyone wanted crisp, light drinkin’ beer! Well, it’s not summer anymore, so Dark Beer it is. Malty, fruity, dark and rich, it’s got what dark beer drinkers crave, DARKNESS.
- Black Tuesday - Red Wine Barrel-Aged : The economy fluctuates. The latest fads inevitably change. Black Tuesday stands the test o time. this rare release of our storied imperial stout was aged in the grand cru of California wine barrels, adding velvety texture, tannic complexity, spice notes, earthy layers and even more dark fruited character to our favorite day of the week.
- Rye Table Beer : White pepper aromas are layered with fruity saison yeast esters. The beer showcases spicy rye flavors layered with ripe fruit and a rich, crisp mouthfeel.
- Bruery Terreux / 8 Wired - Souren : Souren is named for our pal Søren who runs the show down in the far-off land of New Zealand at 8 Wired Brewery. Taking the long way home after a trip to the States, Søren and his team stopped off in Placentia for a day of brewing, and we created a very California-style sour beer together. Starting with a Belgian-style golden ale base, Pinot Noir grapes were added and the beer was sent to rest in barrels at Bruery Terreux. Over the year, the complexities grew and this grapey, funky, spicy beer was born. Half Kiwi, half American, this one has a rather handsome accent.
- IPA : A classic Northwest IPA with big citrus and grapefruit flavours with hints of mango and passionfruit on the nose. Medium bodied, with a light biscuity malt character.
- Snake Oil : Snake Oil is a Red IPA brewed with a combination of American and Australian hops. It has a bright, complex aroma with notes of citrus, peach, and tropical fruit. A variety of caramel malts lend this beer a full-body and a big mouthfeel.
- Flemish Fury : Dark saison. 
- Pineapple Sculpin : Our Pineapple Sculpin IPA came from one of many small-batch cask experiments to enhance the flavor of our signature IPA. With so many tropical hop notes in Sculpin, how could we not try adding some sweet, juicy pineapple? The combination of fruity flavors and hop intensity definitely packs a punch.
- IPA : Bira 91 "The India Pale Ale" is a hop mutiny in the glass. High in alcohol and brewed with the world's most flavourful aroma and bitter hops, this is a beer with a punch. Rich aromas of tropical fruit with a mildly sweet front start to seduce you, until you get hit by a burst of spicy, extra bitter finish.
- Barrel Aged Stay Puft : An Imperial Stout made with roasted marshmallows and graham crackers. Chocolate, cotton candy, and vanilla aromatics with flavors of charred marshmallow and dark chocolate. A collaboration between Barreled Souls and Slab Sicilian Streetfood. Finished for ten months in Woodford Reserve Barrels.
- Twist Of Cain : Twist of Cain is a pitch black lager with notable aromas of roast, molasses and hints of sweet chocolate. Intense flavors of rich sugary malt and dark fruit resonate with a big coating sweetness. Coupled with a cocoa like bitterness, all of the flavors seem to linger equally and dry the palate.
- Golden Mocha Nitro Stout : Stony Joe is a Golden Mocha Stout. It is designed like a traditional Milk Stout but without using the typical roasted dark malts. Instead we use a boat load of rich, decadent golden colored English barley, flaked barley, flaked oats, and flaked wheat to give it lush body and smooth sweetness. We then ferment it on Cocoa Nibs and add fresh locally roasted Guatemalan Coffee, directly to the fermenter. The cocoa nibs and coffee add the rich mocha notes and bright roasty/coffee aroma you might typically find in a stout. We are excited to partner with Redding Roasters Coffee Company of Bethel, CT on this mind bending beer.
- Train To Beersel : Inspired by a trip to Belgium and designed to resemble the character of lambic found in the town of its namesake, Train to Beersel showcases a slightly higher ABV than you’ll find in most other lambics. As such, the body of the beer is more pronounced, adding a certain roundness to the sour notes while elevating the customary level of funk. Additional complexity is derived from extensive aging in once used French Oak Cabernet Sauvignon barrels and once used American Oak Sauvignon Blanc barrels, and by utilizing the time-honored tradition of bottle conditioning with Brettanomyces Lambicus. It’s an inviting combination that’s full of nuanced turns - and an excursion that’s rarely replicated on this side of the globe.
- Preservation : Sour ale with blackberries and raspberries. Bright fruit notes with a jammy aroma and a tart/dry finish.
- Brut IPA : Brut IPA, the antithesis of Juicy IPA's. Rather than being hazy, they are crystal clear. Rather than being creamy, they are bone dry. It does, however, share some traits with Juicy IPA's such as the fruity style dry hop and low IBU profile that is key to a drinkable IPA. We used 100% Amarillo dry hop for a fruity, tangerine-like character exclusive to our Brut IPA. Get some today! 6.5% ABV / 20 IBUs
- T-Town Pale Ale : Named after our Title-Town, Roll Tide, this Pale Ale is a champion in its own right. Using a blend of El Dorado Hops gives this beer a tropical fruit aroma and leaves just a hint of hoppy bitterness on the smooth finish.
- Schwarz De Curve : Schwarz de Curve is a black beer, a dark lager to be exact. Schwarzbier is an old-world style that is ideal for the gradually changing seasons and is a hint of the more malty and full-bodied beers of the upcoming months. Dark in color, rich in flavor, this balanced sessionable beer is best enjoyed before the sun goes away. Prost jezt! And charrs to thee…
- Plum Super Soak : Super Soak: our Soak series amped up with a bigger malt bill, increased alcohol, and twice the amount of fruit as Soak. While still rather sour, the higher ABV in Super Soak serves to somewhat temper the acid formation by the lactobacillus.
- Éphémère (Blueberry) : As its name suggests, Éphémère is an ephemeral ale that comes and goes with the seasons. It was developed as a series to feature a seasonal fruit in a refreshing, lightly spiced white ale. The label depicts a fairy, an ephemeral spirit associated with fruits picked at the peak of ripeness during each harvest season. She first appeared in the spring of 2001 and has since been celebrated on a variety of seasonal fruit ales such as apple (brewed all year long), cranberry, blackcurrant, peach, raspberry and blueberry.
- Purp The Magic Dragon : Sour ale conditioned on Dragon Fruit and stone fruit.
- Grapefruit IPA : A refreshing American IPA brewed with fresh grapefruit peel and dry hopped with Citra.
- Eastside Bier : This unfiltered German-style wheat beer has a deep golden hue. It is malty sweet and medium bodied, and it has fruity yeast esters with some noticeable clove and spice. 
- Horn Of Plenty : Belgian Dunkelweiss - a malt bill similar to a dunkelweiss (German for "dark wheat") and fermented with a Belgian dubbel yeast strain.
- Old School IPA : Amber in color with a sturdy malt backbone and a hoppy punch. Accompanied by a fruity aroma, closer to an English IPA pre- West-Coast American hop craze.
- Imperial Pumpkin Sleigh’r : Imperial Dark Doüble Alt Ale with Pumpkin and Brown Sugar. 
- Summer Road Trip IPA : This old favorite is back on the board with the subtle sweetness, bright hop flavor, and balanced taste you remember. With light citrus, faintly floral, and tropical fruit flavors, this one’s an easy drinker. Let the hazy days of summer take your taste buds on a road trip!
- Anvil Island Dark Lager : A lightly hopped medium bodied dark lager. This rich and flavourful beer delivers a creamy head, a clean taste and hints of toasted chocolate. Made with dark crystal and chocolate malts, German and Polish hops.
- American Black Ale : This American Black Ale borders on IPA territory with a big, fruity and citrus hop bite in a deliciously dark package. Brewed with intense hops--Citra, Amarillo, Simcoe and Crystal--and a dose of midnight wheat to lend its color without any harsh or roasted malt flavors. 
- Hops & Toast : Clandestine's 'Hops & Toast' uses the Northern English Brown Ale as a base for the hop schedule of an India Pale Ale; it could be thought of as an India Brown Ale. This is an assertive beer, brewed with an all English malt bill, including plenty of Brown Malt. Heavily hopped with American aroma hops, the finished beer is dark, strong, and malty with a nose of toasted bread & sweet Orange Marmalade.
- Jewel Pomegranate Dark Saison : This is Todd, the assistant brewer’s first beer! Dark rustic farmhouse ale fermented with a ghostly saison strain from Soy, Belgium. Tart and bone dry with notes of dried fruit and cocoa powder.
- Mangoes On My Mind : Imperial Saison Ale brewed with mangoes and aged in white wine barrels. Mangoes highlight the best attributes of the Saison yeast, adding brightness and a clean sweetness to the base beer. Aging in white wine barrels for 8 months adds subtle fruit flavors and oak notes, before blending in a small amount of our fresh Mango Saison to once again bring the fruit to the forefront. One sip and all you will be able to think about is mangoes.
- Gose - Mango And Passion Fruit : A continuation of our fruited gose series, this batch was conditioned on mango and passion fruit puree. The addition of lactose makes for a luxurious body, while the vanilla complements the juicy fruit flavours.
- Legiowave : This is a dark lager Schwarzbier style aged with Madagascar Grade A Vanilla Beans. Its parent beer is Legio VII. The balanced toasted malts with low bitterness profile blended with subtle vanilla flavors and aroma make this brew refreshing to have anytime of the year.
- Never Gonnagetit³ : Never Gonnagetit³ is the triple fruited version of our mixed berry(Raspberry, Boysenberry, and BlackBerry) Gose Never Gonnagetit.
- Tropigamma Tropical IPA : Brewed with pineapple, mandarin, papaya, passionfruit, guava, mango and lime juice.
- Wicket Gate : Dark and complex. Classic roast and chocolate flavors give way to a malty sweetness across the palate.
- Csar : all in line under the rule of Csar. Join with your comrades over a strong, dark beer with warring classes of dark chocolate and coffee united by the balanced flavor of hops. Drink. Enjoy. Share. Devote yourself to the Csar!
- Generation 1 : Generation One, an unfiltered West Coast Style IPA, a Venice IPA of sorts. This is first experimental beer brewed on our 10hl Kaspar-Schulz brewhouse. An unfiltered IPA that bridges the gap between the juice-like hazy NE style IPAs and dry bitter West Coast/San Diego Style IPAs. This beer is full of bold hop aromatics and flavors, reminiscent of peach, grapefruit and pineapple, with a crisp bitter finish – making it devilishly drinkable.
- High Plus Tight : Brewed to help celebrate the new album release from Moritat. VERY hop forward and full of citrus, pine, and tropical fruit. A sweet malt backbone rounds out the beer.
- Mûr Raspberry Saison : Fresh raspberries and Belgian Saison yeast combine to create this surprisingly complex and refreshingly crisp ale.
- High Coup : Profile: Bold yet approachable, this Tropical IPA is dank and resinous and packs the flavor of a high octane beer in a more sessionable 6.2% abv package. Aromas and flavors of tropical fruits dance wildly over your palate before a splash of juicy bitterness washes them away.
- Centis : Centis is pleasantly thirst-quenching in the summer with its fruity aromas of bananas, pears and apples and a light aftertaste of yeast.
- Puffin Smoked Porter : This American Smoked Porter is filled with roast, subtle hazelnut aroma and a smokey backbone from cherry wood smoked malt. Hints of dark chocolate with a slight creamy body, and a dry finish.
- Hairy Elefante : When our friends at Mammoth tossed out the idea of working on an anniversary beer we know we had to put together a beer with some of the most robust, flavorful ingredients we could find. A base of Vienna and flaked rye bring a big beer mouth feel, balanced by an addition of flaked corn to keep drinkability high. Mosaic and Citra late in the boil, followed up with a double dry hop of more Mosaic and Citra along with minimal bittering give the impression of a beer made solely of pure fruit juice.
- Red Wine Barrel Saison : Goodwood Red Wine Barrel Saison is aged in a variety of wine casks, adding distinct and changing variances to each batch. This beer for all saisons is enchantingly complex with notes of toasted oak, subtle fruit, barley and, of course, red wine – a truly one-of-a-kind taste experience that will turn your expectations sideways.
- Echo Maker : Dark rye ale.
- Friendship Bracelet : As fruit season continues here at the brewery, we keep pushing the boundaries with new and exciting beers. We brewed this hoppy pale ale to embrace one of Andrew's favorite fruits, Cantaloupe Melon. After processing almost 40 lbs of Cantaloupes we set to brewing this beer with our standard pale ale malt build of 2-Row, Pilsner and Wheat Malts. We aggressively hopped this late in the whirlpool and dry-hopped with Simcoe and Hallertau Blanc which we feel complements the fruit addition. Since we fermented directly on melon puree with a very expressive yeast strain, you'll find notes of tropical fruit, stone fruit and juicy fruit gum. Its another summer crusher.
- Perception Check : Double Dry-Hopped with tons of Galaxy, Vic Secret, Citra, Amarillo, and Mosaic. A big, round, juicy double IPA with deep tropical fruit and citrus notes...very drinkable.
- Arillus : Aged on pomegranate puree in red wine barrels for more than a year, Arillus packs a major pomegranate punch. This golden sour was blended to balance the acidity of the base beer with the sweet, tart flavor of the fruit.
- West Of The Sun : A light and fruity pale ale brewed using generous amounts of the New Zealand hops Wai’iti and Green Bullet.
- Single Foeder Oscar : Dark sour ale aged in a first use Missouri white oak foeder. (Aged 12 months in Foeder #65)
- Ring Around the Gose : A pocket full of sea salt. Passionfruit! Guava! We all drink up.
- Lineage Oat : Our series of New-England saisons continues with Lineage Oat, a wild ale featuring Valley Malt Oats. This grain provides a subtle and balancing backbone to compliment the complex characteristics derived from aging in oak barrels with our wild yeast blend. Lineage Oat is light to medium bodied and pours a bright, yellow-golden hue. The nose omits toasted oak aromatics complemented with flavors of buckwheat, tart citrus and white grape.
- Lights Out : Introducing Lights Out - a new Tree House American Pale Ale! Lights Out is exceedingly well hopped at all stages of the brewing process, yet still balanced and delicate on the palate. The prevailing flavor is tangerine - even lingering pleasantly in the finish - with heaps of pungent grapefruit and citrus rind contributing to the complexity of this little delight. We find lights out to be an absolute joy to drink, and hope you do too. Welcome to the family!
- The Lady : We’ve brought back our dry-hopped golden sour and this time around we’re featuring Loral hops. Wonderful grapefruit aromatics and flavor on this batch.
- SMaSH Project (Made With Single Malt Maris Otter And Single Hop Mosaic) : Brewed with a single malt and a single hop to showcase the characteristics of each ingredient. Maris Otter, a classic English malt, delivers distinct nutty and biscuity notes while Mosaic hops impart an assemblage of tropical fruit, citrus, pine and herbal characteristics.
- Sweet Gratitude Rum : A new take on last years favorite, Sweet Gratitude Rum expands on what made the original great. St Croix rum barrels impart a deeper richness to this Double Cream Stout, with notes of molasses, dark fruit and chocolate. Cara cara oranges provide the familiar citrus character of this variants predecessor, accompanied by additional cherry and bright berry notes. Tying it all together is the same, smooth backbone built through generous additions of Madagascar vanilla beans. This Sweet Gratitude variant, serves not as a replacement for the original, but rather a worthy installment in its own right.
- Haziversary : Haziversary is a New England style double IPA fermented with London Fog yeast and triple dry-hopped with Citra and Mosaic. Tropical fruit flavors including pineapple and papaya, with stone fruit, grapefruit and citrus notes abound.
- Fruitbasket IPA : An 8% Mosaic Single-Hop IPA made with blood oranges and grapefruit.
- Open Spaces : The flanders Red has been one of my favorite styles since the start of my affection for sour beer. More than 4 years ago, I took a slightly different approach to this traditional beer by barrel fermenting it with our local microflora in Missouri Chambourcin Barrels. The result is our most precise interpretation of a sour style to date. Loads of cherry, dark fruit, a vibrant acidity and a very well-rounded almond-oak presence define this beer that was aged for 46 months in oak and bottle conditioned for 4 months before release.
- Sour Quad : Sour Quad is a sour strong ale aged in Pinot and Sherry casks. This sour ale features a nose of Brett with a mix of complex yeast driven fruit aromas of apricot, blueberry, cherry, and peach. Its big malty sweetness and fruit notes balance the wood character and tartness from the barrel aging process.
- Primo Remix : One of our favorites gets a DIPA remix. Pours hazy yello with thin white foam. Aromas of dank pineapple tropical fruit. Pallet has notes of bubblegum and tangy citrus. Brewed with pilsner and Vienna malts, fermented with a unique blend of yeasts, and hopped with Mosaic, Citra, Galaxy, and Eldorado, and Mosaic Dust.
- 600 Lbs Of Sin : A medium bodied sour black stout with pleasant berry like aromas. Tart and sour dark fruit flavors up front are complimented by an overall malty sweetness. The finish is relatively clean with hints of lingering acidity.
- Pink Boots Spring Ale : Collaboration pale ale with Highland and Asheville Brewing Co. benefitting Pink Boots Society which provides scholarships for women in beer. Light, fruity, and hoppy, this hazy pale has a creamy mouthfeel and balanced bitterness. 
- Strength And Honor : Juicy IPA w/unique fruity yeast strain.
- Peak Nostalgia : Peak Nostalgia is a Strawberry Double IPA brewed with Mosaic hops and Strawberries. Waves of red fruit and fresh strawberry flavors sit atop a dank and fruit-y hop flavors.
- Thriving On Chaos : Cherry Saison brewed with spelt. Gently hopped with Huell Melon. Conditioned on 100 lbs of fresh and tart cherries, once again brought to us by our main man Ben Wenk of @3springsfruit. Tart, dry and intensely invigorating!
- Ptarmigan Ridge : Massive, rugged flavors and aromas await you in this intensely delicious brew. Piney resinous and citrus hop aromas are balanced by roast and dark chocolate malt characters. A firm hop bitterness grips you followed by mouth-filling flavors of pine and grapefruit. Through the huge forest of hops, you will find roasty, chocolate and caramel malt characters like a massive boulder field, building the backbone of this climb. Intense and complex at every turn, this beer will have you dreaming of your last grade IV mountaineering adventure!
- Big Lushious : Big Lushious is a deep, rich stout that’s packed with flavor: roasted malts, all-natural dark chocolate, a subtle suggestion of burnt coffee grounds and a kiss of tart raspberries. At 7.8% ABV, it’s big, sumptuous and extravagant, but also balanced
- Red Brick Brick Mason Series: 21st Anniversary Dark Saison : Dark Saison aged in Rum Barrels
- Sea To Sea Lager : Our San Diego roots are landing in Virginia Beach! Bringing you freshness from East to West, Sea to Sea is an unfiltered Zwickel lager layered with German Pilsner malts, Hallertau Mittelfreüh and Czech Saaz hops, 2-row barley, and traditional Pilsner yeast. This sessionable brew has a light body with subtle sweet malt and fruity hop flavors, notable lager yeast, and a crisp, clean finish.
- Kick The Can : Subtle malt sweetness accompanied by citrusy American hops. Notes of grapefruit, citrus zest & pine are followed by a firm bitterness.
- Dollar Sign Smiles : We want to use ALL the Hops! Malt balance with an all-star line-up of Pacific Northwest’s finest hops. Notes of pine, citrus, and tropical fruits are present in the aroma and finish.
- Wedge XII : In the style of the strongest monastic beers (Quad). This ale is a reason for the description “Liquid Bread”. We use Belgian Malts, Styrian Golding hops, and very dark Belgian candy syrup combined with a fruity and somewhat spicy Belgian Yeast Strain.
- DryHop / Aleman Spray Paint The Walls : This collaboration with Aleman is one of our most complex brews to date. Featuring blended yeast, strawberry, EKG hops, green & pink peppercorns, it challenges the palate like any good Belgian beer. It feels good and I’m gonna go wild.
- Metropolis Lager : Generously dry-hopped with a blend of Mosaic and Saphir hops, Metropolis Lager unites classic German-style brewing and West Coast innovation to create a refreshing yet flavorful lager. Metropolis pours a radiant gold, with tropical fruit aromas and a delicate floral note. Caramel malts lend a subtle sweetness to balance the dry, crisp character of the lager yeast.
- Drop Bear IPA : Australia's Galaxy hop dominates the flavor and aroma with passionfruit and citrus, with subtle bitterness, so it doesn’t chew your face off.
- 20 Ton Ale : When you turn a 100-year-old factory building into a brewery, it comes with a few "bonus" features, like a 20-ton overhead crane and hook! This beer honors our hefty inheritance-an English-style barleywine ale so big your taste buds will need hard hats! Brewed with specially sourced heirloom malt and highly hopped, this ale has a malty sweetness that's nicely balanced by its fruity character and intense hop aroma.
- SkittleBrau Saison (Peach) : A session-strength saison-style ale brewed with wheat and 85 lbs of real fruit. NO extracts, concentrates or flavorings here, nothing but raw fruit fermented with the beer. The result varies depending on which fruit is used and that rotates seasonally between strawberry, peach, and plum. The flavor varies, but the essence of each fruit is maintained. The dryness and distinct character of the saison yeast melds the fruit and malt together for a unique beer! SkittleBrau w/ peach is rich with hints of spice and vanilla and a peppery mouthfeel.
- Drip Drop Coffee Stout : Brewed with the fair-trade organic, medium-dark Tres™ blend of beans from Vermont Coffee Company®, Drip Drop features a full-bodied flavor profile rich with slightly sweet notes of chocolate and caramel derived from a heavy dose of dark malts with a touch of brown sugar to reveal subtle notes of plum and vanilla. 
- The Dog Haze of Summer : A seasonal New England style IPA with heaps of Galaxy, Amarillo, Azacca, Citra, and Mosaic, Tropical notes of passionfruit, tangerine, mango and grapefruit are dominant with little to no bitterness. This soft, juicy ale is the perfect remedy for those dog days of summer!
- Can't Keep Up 6 : Dark, acidic, earthy, and oaky with a bright citric/red berry character. Blended under duress for your organoleptic enjoyment!
- Brother Vesper : Brother Vesper sips his daily ration. Flavors and aromas of plum brandy, jammy wine, cordial cherries, wood spice plus a gentle alcohol tug. Strong? Dark? Stout? Quadrupel? Abt? Can I getta beer-blessed hell yes!
- Bear Wallow Berliner Wiesse (Grape Edition) : Napoleon once dubbed these beers that originated in Berlin, Champaign of the North. Having the bubbly effect, dryness, white head, and a light sweetness accompanied by a light tartness, he must of thought of home when sipping Berliner Weisse. We love our base BWBW, and love to add AZ fruit to it when in season. The The Farm at Agritopia supplied us with such beautiful table grapes that, unexpectedly, turned the beer a Rosé-esque pink. The sweetness, tannins, and tartness combines for a truly summer quenching beer! (Wait till you have the red wine BA version)
- Black Exodus : Oatmeal Stout brewed w/ Oatmeal, dark malt, and caramelized brown sugar.
- Hop Bu : Our foeder fermented and aged Berliner dry hopped with Centennial and Simcoe. Big grapefruit and citrus zest character and a clean tart finish.
- Medical Grade Gummies Make Us Likable : Sour with passion fruit, guava, mango and aronia berry.
- Full Allotment : In collaboration with Quaff Bros., this blend of Dark Apparition and Oil of Aphrodite is aged in Kentucky bourbon barrels.
- Pallet Parking IPA : A jacked up imperial IPA with a full wheat backbone and fruity notes that will give you a lift.
- Brockwell : A light bodied, yet flavorful Dark English Mild. Subtle flavors of toffee and roast are accentuated by light carbonation. Brewed to be enjoyed in bunches.
- Lenoir Belgian Ale : Beer in Belgium dates back to the first crusades when local abbeys brewed beer as a fund raising method. The artisanal brewing methods evolved over centuries and became popular with Master Brewers and beer drinkers around the world. Our premium ingredients and brewing methods are sure to impress the monks. Golden in colour, Lenoir has classic Belgian fruity aroma with a slight sweetness and very little bitterness. Lenoir is a smooth and sessionable Belgian style beer. Enjoy!
- Double Milkshake IPA - Bananas Foster : Bananas Foster Double Milkshake IPA is another outrageous run at THE Culinary IPA series, dreamt up with our psychic-colleagues at Omnipollo, and inspired by the classic, flaming, tableside dessert. Brewed with fluffy malted wheat and oats, and lactose sugar. Conditioned on banana chips and house made bananas foster (we made caramel sauce, put a lot of bananas in it, then lit it on fire with banana liqueur and rum). Dry hopped, forever and always, with sticky, resiny and pungent Citra and Mosaic. Just a real deal perfectly ripe Bananas Foster presence and void of any electric yellow artificial banana flavors. Notes of glazed banana bread, gooey caramel, bright tropical fruit zests, taro smoothie and vanilla cookie.
- Missing Time : Black Saison with cherries. Dry, mild roast and dark malt character. Round fruity esters lend a wonderful complexity.
- American Rye Stout : *American Rye Stout : Anything but traditional, our American Rye Stout is a bold 6.5% abv, highlighting our love of rye with chocolate rye, rye flakes and rye malt. Chocolate, caramel and nutty flavours are complimented by floral Cascade hops and the slightly spicy rye.
- One T : One T is straw colored, and has aromas of citrus, melon, pineapple and passion fruit. Malty, citrus, and tropical fruit flavors are followed by a balanced hop bitterness in the finish.
- Aurelia : A Farmhouse Style Ale brewed with our house saison yeast. Appearance is copper with a pillowy beige head. Delicate spice in the aroma with hints of toast. On the palate subtle dark fruits with a bready malt character. After a short lagering period, this beer finishes clean and dry with a firm earthy bitterness.
- Brotilla : Carcavelos aged Dark Lord
- Vortex Robust Porter : Dark roasted malts, balanced sweetness, chocolate and coffee notes. That was a short description. There is nothing short-lived about stopping into a brewery for a beer; it’s a vortex where minutes become hours and empty glasses build up into towers.
- Melcher Street IPA : This popular edition in our “Street” series of India Pale Ales spotlights the remarkably complex Mosaic hop. Melcher Street is hazy, pale orange in appearance and emits aromatic qualities of grapefruit, mild-earthy pine, and mango on the nose. Dank flavors of pine and green hop, along with juicy notes of tropical fruit, melon, and peach, are accentuated with crisp malt character, mild bitterness, and a soft, effervescent mouthfeel. 
- Whitewater Hoppy Wheat Ale : WHITEWATER is an American wheat ale built for exploration. The bold hop profile adds complexity to this crisp, balanced ale, while hints of citrus, light floral notes, and a satisfying bitterness leave a perfect reminder of trails climbed and rapids subdued. Whitewater is the perfect complement to any adventure.
- Rowan Morrison : Sun drenched dark malts are brought to life with notes of earth and white wine in this curious and deceptive concoction named for the sweet, but deadly red herring from 1973's "The Wicker Man".
- The Gambler American Amber : Drifting slightly outside of traditional guidelines, our amber has less of a sweet note and more hops than many American ambers. If you are looking for something a little more complex but not overwhelming, try this!
- Session Black - Cherry Black : How could we possibly make Session Black Lager, even more delicious and drinkable? Here’s a way: Session Black Cherry. It’s everything you've always loved about Session Black, now with a dash of cherry flavor. Still short, dark and drinkable. Still rocking those notes of roasty chocolate. But with a new cherry twist.
- Into The Wild : Into the Wild is a refreshing 5.2% abv wheat beer brewed with kiwano fruit. This beer was brewed to help celebrate the opening of the new African Savanna exhibit at the Fort Worth Zoo. Fans of our seasonal beer – Parker County Peach – are sure to enjoy Into the Wild. Kiwano is a melony/kiwi/cucumber like refreshing fruit native to Africa.
- Flagship APA : American style pale ales are defined by the use of American grown hops. The hop profile of Flagship APA includes an upfront bitterness complemented with citrus and pine-like aromas followed by a small burst of tropical fruit. Malted barley provides a deep auburn color and a sweet, biscuit-like, backbone that helps the flavor balance nicely with the bitterness from the hops. The mouthfeel is medium bodied with a hoppy and crisp finish making this quenching offering the perfect accompaniment to your favorite pub food.
- Scratch Beer 178 - 2015 (Rye Ale) : Until the 15th Century, it was common in Germany to use rye for brewing beer. However, after a period of poor harvests, it was determined that rye would be relegated to baking bread. Rye beers virtually disappeared for almost five hundred years until finally resurfacing in Bavaria around 1988. Now a commonly used ingredient in modern American craft brewing, rye imparts a somewhat grainy pumpernickel-like flavor as well as a slightly dry, spicy finish. However, the complexity here lies within the hop profile, which includes a recent favorite of ours, Experimental “06277” (aka “Nuggetzilla”) to unfold a medley of flavors and aromas from delicate spices to pungent citrus fruit.
- Malolo Special Pale : We brew this Special Pale Ale exclusively with English Maris Otter floor-malted barley to allow the hops to shine. Featuring a blend of German Hallertaur (80%), Chinook (15%), & Nugget (5%) hops with our Brewhaus yeast creates an up-front, assertive wild flower/candied-orange hop character that is refreshing, dry, and complex.
- Tower Station IPA : Tower Station IPA is an unfiltered IPA that greets you with a copper-orange hue and fluffy white head, releasing aromas of tangerine and pineapple. Pilsner and Pale malts balance hop-derived flavors of grapefruit peel and pine to finish the journey.​​
- Fractal Vic Secret : Fractal Vic Secret pours hazy-straw yellow releasing aromas of pineapple, pine and passionfruit. The taste is fruity, clean and earthy with a light bitterness. The medley of characteristics makes the name “Fractal Vic Secret” warranted indeed.
- MilkStache : Two new experiences for us on this one: 1.Lactose in an IPA 2. Experimental 06300 hops. The result is a huge IPA in theory (10.5% ABV), but because of the lactose drinks incredibly smooth. Incredibly complex notes of White Grape, Stone Fruit, Clementine, and the inside of a Cow Tail Candy.
- Big Punisher : A well-balanced double IPA with a semisweet malt backbone and complimented with generous amounts of citrus & tropical fruit hops. Rich, delicious, and rewardingly punishing.
- Stave Some For Me : A collaboration between Stoup and Wander. Two barrels of Wander Brewing Barrel aged Flanders Red were blended with one barrel of Stoup Brewing Golden Sour and one barrel of Stoup Brewing Brett Saison. All of the beers were aged for approximately one year in a combination of red and white wine barrels prior to blending. The resulting beer is light rust colored with firm acidity, balanced wood tannin and a complex rounded out palate.
- Thick Mint Imperial Stout (Blackwater Series) : Inspired by the legendary Girl Scout cookie, Thick Mint joins our world-class rated Blackwater Series of dessert beers alongside Creme Brûlée, Choklat Oranj, Salted Caramel & Choklat in 2017. This imperial stout is a mouthful of perfectly balanced mint & chocolate. Roasty malts coalesce with notes of Belgian dark chocolate, sweet mint & just a touch of sweet caramel. So decadently delicious, you’ll wish you’d bought another box... er, bottle. 
- Hop Cocoa : We crafted Hop Cocoa Brown to be a smooth porter that packs a potent chocolate punch into every sip. Authentic Dutch cocoa powder combines with robust, dark cocoa nibs from our neighbors at French Broad Chocolate Lounge to create a silky smooth balance with our heavy handed hopping process. This dark beauty is comforting companion at the end, or beginning, of any day! 
- Never : The unfruited base beer for our Never series, simply called Never. Never is a 4.5% Gose with pink Himalayan sea salt.
- Chic Saison : Chic Saison is a French Farmhouse Saison brewed with Mangosteens! Mangosteens are grown in Southeast Asia and contribute a tart and tropical fruit punch that pairs perfectly with the estery and spicy qualities of the French Saison. The beer clocks in at 6.1% and 18 IBU's and offers the perfect way to welcome in Spring.
- Wonka : Intense aromas of chocolate and highly roasted coffee, this beer was brewed to illustrate my love of dry beers. Super chewy, despite being dry, the unsweetened dark chocolate envelopes your palette and gives way to a bold, roasted, black coffee aftertaste. Pleasant dark berry character in the strong bitterness bring this beer together.
- Plumb And Proper : Dark and sour with a touch of smoke. Brewed with plums.
- Shut Up Kelly! : I used to work with a girl named Kelly who didn’t like dark beers until she drank my porter. Then every time I mentioned brewing within twenty feet of her, she’d ask, “Are you brewing your porter?” and then she’d start telling the same story I just told you, only ten thousand times longer. Eventually, I brewed the porter again in the hopes of getting her to shut up about it. It didn’t work, but the beer was a keeper.
- Buxton / Omnipollo Stolen Fruit : A sour wheat beer brewed with juice and zest of pink grapefruit and lime. Collaboration with Omnipollo.
- Maiden Voyage Pale Ale : This American style pale ale has hints stone fruit and pine with a light citrus finish.
- Ritterguts Bärentöter : Inspired by an historical Märzen-Gose—stronger and darker than a standard gose—Bärentöter is in fact an entirely new creation. This harmoniously complex brew is produced using an opulent decoction mash-malt mixture, with additions of coriander, salt, orange peel, and a touch of cinnamon. The world’s premier sour bock undergoes a lactic acid fermentation, lending an elegant sourness to its salty malt body and layers of fruity & spicy aromatics.
- Fistful Of Peel : True to its name, Ellicottville Brewing Co.’s Fistful of Peel Citrus IPA is brewed with fistfuls of zesty orange, tart grapefruit and lively lime peel. Loads of Centennial & Citra hops and the finest Canadian barley deliver tangy, sharp hop flavor which compliment the bright citrus rind notes. Fistful of Peel is an amazingly light-bodied- but high-gravity - flavor crusher.
- Canyonero : This hoppy amber ale is brewed and dry hopped with the new and experimental hop varieties Denali, Eureka! and EXP07270. Hints of roasted poblanos, black pepper and dry fruit are followed by the earthy undertones of rye malt making this a savory treat. Whoa, Canyonero!
- Blue Balls : Belgian dark strong aged on blueberries.
- Dead Man’s Game : Our homage to the Rum Running pirates or yore. Blended dark ale aged
- Just Right Oatmeal IPA : Our Oatmeal IPA displays a bright golden hue, with Vic Secret and Citra hops delivering fresh mandarin orange and ripe kiwi fruit aromatics. Balanced notes of orange and grapefruit rest comfortably over a foundation of rolled and malted oats. Juicy and smooth with a dry finish, this IPA is just right.
- Earth Rider Stable Haze IPA : Stable Haze is based on Pilsener malt with wheat and oats. Huge additions of Mosaic and Calypso Hops were added to create big notes of tropical fruit, berry, and pine. A cellaring technique was used to achieve a unique "Stable Haze" in this beer.
- The Empire Hops Back : The Empire Hops Back is an India Pale Lager brewed with Calypso and Idaho 7 hops. Pale yellow in color with a frothy white head, this beer has aromas of tropical fruit, pine, and a hint of fresh mint. Grapefruit and apricot flavors coat the palette initially mixed with a slight grassy flavor. The Empire Strikes Back has a medium body and clean lager mouthfeel before finishing dry.
- Romantic Chemistry : What you have here is a serious India Pale Ale shacking up and hunkering down with mango and apricots. At the same time! Romantic Chemistry is brewed with an intermingling of mangos, apricots and ginger, and then dry-hopped with three varieties of hops to deliver a tropical fruit aroma and a hop-forward finish. It’s fruity, it’s hoppy, it’s tasty!
- Plague Of Angels : An Imperial Milk Stout brewed with a large portion of unmalted and males oats, long with dark roasted speciality malts. Lactose was added to the end of the boil to balance the dark, roasted character with a subtle sweetness.
- Crypt Keeper : Adams County Cider. Made from a blend of Adams County grown cider apples from our winsome fellow Ben Wenk from @3springsfruit in beautiful Adams County, PA.
- Spirit Beast 2018 : A collaboration with Local Cantina & Gallo’s Taproom, this edition is a blend of Blend of English, American, & Belgian Barleywine style ales & Imperial Stouts aged in bourbon barrels, including Dark Apparition, Antik, Patriarch, Matriarch, Brick Kiln, Skipping Stone and Appervation.
- Cheech : This beer utilizes our Scottish yeast strain. The character is fruit dominant. The aroma is sweet tangerine with hints of overripe pineapple and melon. The flavor is again sweet citrus with a lychee fruit presence. It is full bodied with a slight malt sweetness with candied fruit sitting on top. The finish is slightly sweet with a pleasant, palette cleansing dryness.
- Dubbel Avec Framboise : Created for the Cellar 3 Beer Dinner, "Dubbel avec Framboise" is a collaboration with Green Flash Brewing Co. and is a Belgian Style Dubbel with Raspberries coming in at 6% ABV. The raspberries are complimented by a lot of dark fruits and biscuit flavors from the base beer.
- Hazey Jane II : Hazey Jane II is a nice and Hazey Double IPA. Brewed with malted oats, raw white wheat, and lactose sugar. Hopped intensely with Mosaic and Galaxy. Bright melon, blueberry, and resinous grapefruit. Let’s sing a song for Hazey Jane. 
- For Rent : Our Citra hopped Session Pale Ale has such a fruity aroma, it will have you dreaming of putting your money pit on the market and moving to paradise!
- My Name Is Casanova : Dark Saison
- Something, Something, Something Dark Sour : American dark sour ale fermented with our house mixed-culture and aged on Raspberries for 3 months.
- Hot Boxin' It Amber Ale : An amber ale with cayenne pepper and dark Fresh Coast Chocolate crafted in Traverse City. Warms the soul through the cold Michigan winter.
- Sour Kiwi Novelty : Sometimes called the "fruit of many flavors", this tart kiwi ale is more like enjoying a cool fruit tart in the middle of summer. The kiwifruit and Rakau hops give subtle hints of strawberry and orchard fruits, while the milk sugar provides a creamy softness.
- St. G : Farmhouse Kettle Sour with Elder Flower, Corriander and Grapefruit Peal
- Dank Zappa : A super hop forward west coast IPA brewed with Citra, Mosaic & Idaho 7. A clean malt base supports the copious amount of citrus, tropical fruit and dank, resinous hop character and balances a bracing but pleasant bitterness.
- Hardcore Chimera : Hardcore Chimera is an American style imperial IPA brewed with Citra, Simcoe, Columbus, Cascade and Mosaic hops. The beer won a silver medal at the 2014 International Beer Festival in Rhode Island. Ringing in with over 80 IBUs Hardcore's intense aroma and flavor of passionfruit and citrus is balanced out against a hearty grain bill that lends to Hardcore's deceptively drinkable 9% ABV.
- Feeling Good, Louis! : Fit for triumphant consumption at the water's edge, Feeling Good, Louis! is a Brut Fruit IPA brewed with wheat, Crystal and El Dorado hops, and boatloads of Kiwi fruit.
- Stay Strong : Unconstrained by a narrowly defined line of appearance, aroma, flavor and strength, this is a beer that is exciting to explore. It's malty, somewhat hoppy with nice fruity esters. Grab a pint and start your exploration.
- Centennial Dry Hopped Sunshower : Sunshower is our Super Saison, a high-gravity farmhouse ale inspired by the ethereal refreshing mid-summer moments when we experience both rainfall and the heat of the sun in New England. Similar to our flagship Trillium, the mouthfeel is light and effervescent with a bright, golden hue. We allow the fermentation temperature to free-rise that favors the saison yeast strain’s in the blend to realize its full attenuation potential which results in a dry beer with strength and complexity. Layers of pepper and earthy characteristics that play nice with the crisp, smooth backbone of a pilsner and wheat malt bill. This version showcases the Centennial hop, which provides a floral, lemony brightness in both aroma and flavor.
- Hiver Joie : Bourbon barrel-aged dark sour ale with orange peel and coriander.
- Pinkalicious : Pinkalicious is an IPA brewed with 1 pound of pink guava puree per gallon, double dry-hopped with a blend of Motueka, Citra, and Amarillo hops, and fermented with our house mix-cultured ale yeast. This beer has bright notes of overripe mango and grapefruit pith that plays off the tart pink guava. The end result is a vibrant beer that's overflowing with tropical and citrus fruit character.
- Fruitlands - Apricot : Fruitlands is tart, fruity, and frighteningly delicious. The sour, salty base beer lays down the funky refreshment, while a heavy dose of apricot turns the whole thing into a wall-to-wall stone fruit fiesta. It’s a marvelous mix of elements that collides with your mouth like a fruit-filled asteroid of flavor traveling at the supersonic speed of party.
- 2nd Anniversary Test Red DIPA : Second of two beers in a contest for our 2nd Anniversary beer. This 7.9% DIPA is a red hued imperial IPA bursting with fruity Mosaic, Azacca and Eldorado hops balanced with toasty maltiness and a kiss of sweetness from several darker roast malts.
- Jasmine IPA : Pours golden in colour with a lively white head. It has a very floral and citrus nose from the hops and jasmine flowers while hints of spicy phenolics and fruity esters come through on the finish. The taste of caramel malt is balanced by the lavish dry hop character and refreshing jasmine flavours. Hoppy, refreshing and complex.
- Funkin Ale : Funkin Ale is a Pumpkin Ale that begins with an Amber base that has a wonderful caramel and nutty flavor. The addition of the pumpkin, vanilla, brown sugar and spices kick this beer up a notch and transforms the ale into a pure awesome pumpkin goodness.
- Blue Steel : House American wheat recipe and conditioned it on natural blueberry puree for a bright fruit flavor.
- Mothers Temptation IPA : This sun-hued ale is unassuming at first glance. Its pleasant pineapple aroma invites a sip that will quickly fill your pallet with crisp grapefruit sweetness. Beware, Citra and Columbus hops tempt you for another, but one is enough.
- Wild Sour Series: Cranberry Criek : Our non-traditional Cranberry Criek evolved by merging tart cranberries with sweet cherries, normally associated with a traditional kriek, but in a kettle sour beer that is wonderfully intricate, balanced, fruity and tart. We then dry-hopped this crimson-colored beer for a touch of citrus aroma and flavoring, adding another layer of complexity and a perfect finish.
- Black Dolphin : Named after Russia's infamous maximum security prison, this deep, rich imperial stout was brewed with serious amounts of roasted barley and dark brown sugar. The result is a lush, full body of roasted flavors guaranteed to warm you to the core. Perfect for when you find yourself visiting Siberia. Just be careful not to land yourself in the beer's namesake.
- IPA : Our India Pale Ale pours a light golden color. It has Marris Otter malt backbone, but allows the focus of this beer, the hops, to shine. Loads of Ahtanum, Centennial, and Chinook hops fill your mouth with that bitterness we love on the first drink, with more subtle berry, pine, and grapefruit flavors appearing as your palate adapts. This beer finishes clean and dry with a slight lingering bitterness.
- Rye Pale Ale : Light-bodied with a crisp, clean finish, this ale features a lightly spicy character from the addition of malted rye. Balanced by the pleasant, fruity backdrop of Amarillo hops, Rye Pale Ale is an easy-drinking, yet complex, offering that’s perfect for fall.
- Dodie : Dodie is inspired by a classic New York concoction and shares a nickname with Grandma Rue, who was quite keen on the ritzy drink. It’s got no giggle juice on its rap sheet, but it’s a dandy recreation of the profile of a classic Manhattan cocktail - from the grain (rye, corn, wheat and barley), bourbon character from barrel-aging, and a complex blend of 30+ spices and grape must for bitters-eque and vermouth-like notes. Fancy a garnish? We saved you a step. Cherries and orange zest come out as your kisser hits glass.
- Straight Rye Whiskey Barrel-Aged Imperial Stout : Dark, rich, and complex are the only ways to describe such a beer... Brewed with 9 different malts, three different hops, and gently tested in our Thistle Finch Distilling Straight Rye Whiskey barrels.
- Slurm : Slurm is a hazy, juicy New England style India Pale Ale. Light orange in color with a prominent haze, Slurm has aromas of pineapple and mango. Big tropical fruit flavors hit you up front and carry through to the finish. This easy drinking, medium-bodied New England style IPA has a slightly bitter, dry finish.
- Evil Twin / Omnipollo - Rainbownade : Omnipollo collaboration. IPA brewed with grapefruit, passion fruit, mango, raspberry and blueberry.
- 1st Anniversary Red Wine Barrel Aged Bad Wolf : A special release for our 1st anniversary celebration, this Bad Wolf Dark Ale spent 5 month vacationing in red wine barrels. After all that rest and relaxation it came our better than ever. The fruit and acidity from the red wine and the tannins from the oak play off the dark roasted malts to create a complex yet very drinkable beer.
- Double Danker IPA : A double IPA brewed with four varieties of malts and hops. This IPA has a pleasant citrus bouquet that greets the palate with hints of tangerine, grapefruit, stone fruit, and apricot. The floral tones are balanced by a sweetness that transitions into a resinous piney finish.
- Camp George : The same recipe was brewed at both Georgetown Brewing and at Base Camp Brewing, the difference being that Base Camp fermented their batch with a German Hefeweizen yeast, while we elected to use our house yeast. Notes of citrus, grapefruit, pine, guava, toast and chocolate permeate this dark wheat beer. The German strain produces clove and bana characters that play well with the fruity flavors from the Citra and Oregon grown Meridian hops, while our house strain adds more depth to the fruity and floral flavors.
- Red Stonington : Our signature New England Wild Saison, Red Stonington, features Valley Malt and is aged in oak barrels for more than a year. The fermentation is carried out by our native New England mixed culture, collected from grape skins at Saltwater Farm vineyard in Stonington, CT where JC & Esther Tetreault were married. The nose bursts with aromas of fresh raspberry, cherry pit, and an earthy funk. Red Stonington begins tart and mellows into a complex array of nutty malt and fermentation driven funk. A bone dry finish makes this beer immensely refreshing.
- Schlafly Farmhouse IPA : Schlafly Farmhouse IPA combines a classic Saison yeast with bold American hops for an earthy character enhanced by complex aromas.
- Curb Appeal : As we continue to brew, we push the boundaries of experimentation while at the core we remain true to style. This beer is a true example of that philosophy. We brewed this beer as a tribute to the Belgian tradition of brewing with the seasons. This Dubbel-inspired beer was brewed with locally foraged fresh spruce tips for an extra citrus note. We hopped it lightly with palisade and finished the beer with house made dark candi sugar. Open fermented hot in one of our tanks we allowed it to mature warm for multiple weeks to allow our house expressive saison yeast to shine though. Notes of plum, brown sugar and fresh baked bread interweave themselves with citrus, pepper and funk. It's dark but remains complex on the palate.
- BRB Blonde Ale : BRB Stand for Broad Run Blonde. BRB Blonde ale is a a deliciously satisfying golden American Blonde Ale with aromas of fruit and a smooth crisp finish.
- Here Be Dragons : Our flagship IPA delivers lush tropical and stone-fruit flavors in the New England-style. Substantially hopped with Amarillo, Mosaic, Simcoe and Citra, this dragon somehow remains light on the palate with hops and malt perfectly in balance. Not charted on any map, beware matey!
- Bayou City Brown : A luscious, malt-oriented brown ale, with a caramel, dark fruit character. This brew has a complex malt bill utilizing 12 varieties of malted barley. Drinkers will enjoy a roast, slightly sweet flavor with a smooth, malty aftertaste. We took a southern English brown recipe and gave it a Texas twist.
- Weiss Ass Rockin’ : This complex beer mixes the banana and clove aroma of a wheat beer with the malty richness of a bock. The flavor comes through as brown bread with no hint of hops in flavor or aroma.
- Tiny Drink Umbrella: P.O.G. : Hey you! Enjoy the final sips of summer with our smoothie brew. This citrusy ale brewed with passionfruit, orange, and guava is best served with a tiny drink umbrella.
- Free Rise - Citra Dry Hopped Saison : This special edition of Free Rise, one of our signature farmhouse ales, highlights locally sourced Danko Rye from Valley Malt and Citra in the dry hop. A floral, citrus hop profile is balanced with subtle, nutty malt character and a delicate black pepper spice. Light in body, with a clean, bone-dry finish, Citra Dry Hopped Free Rise is a welcomed addition to our family of farmhouse ales. 
- Earth Rider North Tower Stout : Here’s to the working harbor. Malty accents of chocolate, coffee, and dark fruit are balanced with a restrained hop presence in this stouthearted ale. Hold fast.
- Scratch Beer 177 - 2015 (Mosaic IPA) : Over the years, it may seem like we’ve poked around virtually every nook and cranny of the IPA spectrum. Of course, we’re always searching for new rabbit holes to explore. For this particular Scratch IPA, we decided to highlight the Mosaic hop, a truly one-of-a-kind American variety with Nugget and Simcoe lineage (two of our favorite hop varieties here at Tröegs). With a namesake derived from its aroma and flavor profile, the term “mosaic” implies multi-faceted, exquisite, and complex. The same can be attributed to this particular hop variety. The Mosaic hop lends itself extremely well to the IPA, a style typically rife with bright citrus or juicy tropical fruits, intense pine resin, and earthy herbaceous attributes. Scratch #177 boasts all of these and more. Just like the vibrant, colorful piece of artwork from which the hop takes its name, this IPA is creative, artistic and expressive.
- Adjunct Brackish : Adjunct Brackish is a variation on our dark farmhouse ale with sea salt and grains of paradise. This version was blended from four different wine barrels.. one with blackberries, one with cocoa nibs, one with vanilla beans and one with simply the base beer.
- Charnal Ground : This light and hoppy saison was brewed with fruity German hops and naturally carbonated. Notes of bruised peaches, citrus, papaya and pepper, perfect for the heavy days ahead.
- Aggregate Species : Aggregate Species is a collection of ingredients and flavors, coming together to form a cohesive but intricate beer. A Brown Sour Ale at its core, Aggregate Species features blackberries and currants to complement the gentle malt notes found in each sip. With a collection of dark fruit supplementing this delicately sour ale, Aggregate species is a beer that is greater than the sum of its parts.
- Citra Sour Soft Serve : A salivary gland surge! Subtly sweet and sour, dripping with hop derived fruit flavors of soft pineapple, overripe passion fruit, and zippy grapefruit. Brewed with unmalted wheat and lactose. Best drink fresh!
- Southern Passion : This crisp, golden beer blends our enthusiasm for lagers with rare South African ‘Southern Passion’ hops which impart a subtle tropical passion fruit character to the beer.
- Santanico Pandemonium : We brewed this Saison with Tamarind, a pod-like fruit used in many cuisines. Tamarind brings an earthy flavor and a subtle tangy, tart, tongue-tingly finish to this otherwise super dry, crisp Saison.
- Vastness Of Space : This beer is sublime in its play between rich, mouth coating flavor and feel and a drinkability that is typically eliminated with such intensity of flavor. As the beer warms, aromas of coffee, burnt sugar, maple syrup and smokey dark chocolate leap from the glass. A sip reveals espresso and cocoa flavors as well as hints of molasses, oat crumble and chocolate covered almonds. We make beers with adjuncts a fair amount but this beer needs nothing to make it any more captivating than it is.
- Sinshine : Fresh from the grove, Sinshine is a hazy New England IPA bursting with orange, grapefruit, melon, peach, and tangerine flavors. The rocky white head holds the aroma of ripe tropical fruit. Sinishine finishes smooth and creamy with little bitterness.
- Path of Orbit : Who knew that Cheeky's first flight would be straight into the endless expanse of space?! This journey has lead him to the depths of the galaxy of sour IPAs! Brewed with milk sugar, dry hopped with Ekuanot and Citra, and conditioned on passionfruit, guava, and pineapple; we created a beer that is TRULY OUT OF THIS WORLD. Ha ha! Get it? Yep, we went there.
- Choco Porter : Aromatic and full-flavored, our chocolate porter is dark and chocolatey, yet not overly sweet. A roasty brew made with cacao nibs, Dutch cocoa powder, and milk sugar, this is one silky slice of beer heaven.
- Siegfried : Brewed with German Pilsner and a touch of Munich malt, this crisp German-style ale was bittered with Hallertau Magnum hops and fermented with a classic Kölsch yeast strain - clean with a touch of fruitiness.
- The Over Tone : We brewed this boisterous IPA to capture the essence of our great friend and long-time beertender Scott Overton, who is stepping out from behind the bar in West Sacramento. His namesake beer races back and forth between flavors of citrus, berry and masculine pine. The beer boasts flavors of energetic palate-punching grapefruit, and passionate passionfruit in the profile. Pour yourself a tall glass of Scott, but be sure to raise it to him as well.
- Black Yukon Sucker Punch : Black Yukon Sucker Punch is an Imperial Porter brewed with damn fine coffee from Higher Grounds Coffee and blackberries and aged in bourbon barrels. Pitch black in color with a deep mocha head and a faint purple hue, this Imperial Porter smells of coffee and blackberries upfront followed by chocolate and a hint of bourbon. The flavor is reminiscent of a blackberry bonbon dipped in bourbon with tart fruit, coffee, and oak flavors intermingling in the beer. Accompanied by a rich, velvety mouthfeel, Black Yukon Sucker Punch is a must taste brew. 
- Flora Pear : Flora is the wine barrel-aged version of Florence (1915-1967), our grandfather's sister as well as the name of our Farmstead® wheat ale. We selected several barrels of Flora and aged it atop organic pears, including a selection of dessert pears (Stacey, Summercrisp, Luscious and Nova) as well as Siberian pears—all from Elmore Roots Nursery in nearby Elmore, Vt. Soft, subtle fruit notes and a delicate golden hue marry with Flora's singular elegance to embody and exemplify the elements from which it was crafted.
- Downpour : The skies open with showers of Amarillo, Mosaic and Citra hops. The Downpour of hops enhances this IPA into a highly drinkable offering of tropical fruit, orange and mango flavors.
- Never Forever³ : Never Forever³ is the triple fruited version of our Passionfruit Gose Never Forever.
- Captain's Daughter : Our newest year-round is an Imperial India Pale Ale brewed with high-quality pilsner malt and flaked oats, making this beer light in color but certainly not in body or alcohol content. It is aggressively hopped with Mosaics out of the Pacific Northwest, giving the Captain’s Daughter a strong aroma and flavor of tropical and stone fruits.
- Fleur de Citra : Saison-style ale featuring a rustic blend of malts, Citra hops, and our house saison yeast. Aroma and flavor notes of grapefruit and passionfruit; layered against a dry and spicy finish.
- Quadraphonic : Quadraphonic is the strongest of our Abbey series and is meant to be sipped and savored. It is a dark brown ale with a complex profile. On the nose, expect malty sweetness with complex esters including some dark fruit aromas (raisin, plum, fig). The mouth feel is medium carbonation with full body, there is a rich creamy head. The flavor is rich and full, a real “mouth bomb”. Malt flavors predominate, with spicy and dark fruit notes ­ raisins and dark cherries with dark chocolate come to mind. It is fairly dry for the ABV, keeping it “digestible” as the Belgians would say. This is a smooth drinking beer that can be dangerous, go easy on this one!
- Bahba Guava : A 100% brett fermented wild ale that was the aged in a wine barrel with 2 pounds per gallon of Guava purée. Super Funky. Super Fruity. Super Refreshing.
- Highlander Scottish Wee-Heavy : Aged in Old Forrester Bourbon barrels for just over a month lending soft hints of oak, bourbon, and vanilla that delicately combine with a complex caramel, toffee, raisin, and fig character. The deep rich malt character, full body, and bold sweetness; all characteristic of the style, follow through from start to finish. Alcohol was kept on the lighter side at 7.0% with hops adding little to the bitterness, aroma, and flavor.
- Choco Nut Lust : The name of this beer does not mislead. Brewed with Cocoa Nibs and Real Chopped Hazelnut, this is a full bodied, malt forward beer with strong notes of Molasses, Caramel, Brown Sugar, Dark Chocolate and Coconut. A small amount of Cascade hops are added for just enough bitterness to balance out the malt sweetness.
- Stone / Birra Artigianale Toccalmatto - Pampepato Imperial Porter : Brewed at Liberty Station - A collaboration with Birra Artigianale Toccalmatto. An Imperial Porter inspired by the Italian Spiced Fruit Cake; Pampepato, served during the Holidays. Brewed with chocolate, nuts, and spices.
- Houston Triple Craft : Three Houston artisans combined their powers into one beverage! Houston Triple Craft is a Smoked Coffee Marzen brewed by Holler Brewing in collaboration with Greenway Coffee & Tea and Feges BBQ. Patrick Feges used a blend of Applewood and Maplewood to slowly smoke smoke 100 pounds of German pilsner malt. John Holler combined this smoky grain with a blend of light and dark Munich malts and a touch of Noble German hops to produce a smoked Marzen (aka a smoked Oktoberfest). Everyone agreed it was a delicious beverage but that it lacked a critical component: caffeine. Enter David Buehrer (Greenway), who used freshly roasted Brazil pulp-natural coffee beans to produce a double-filtered espresso that really ties the beer together.The result is a truly unique and surprisingly drinkable lager, featuring a rich, chocolatey espresso aroma, a complex malty flavor with a hint of vanilla, and a smoky, crisp finish.
- German Style IPA : This Teutonic take on the traditional IPA features spicy German grown hops and an expressive Kolsch yeast. The result is a golden beer with a moderate bitterness and an intensely fruity aroma reminiscent of raspberry and lemon peel. Prost! 
- Belgian Pale Ale : This Belgian Pale Ale is brewed with Pilsner and Dark Munich malts. It's then dry hopped with Hallertau Blanc and Huell Melon. The result is a classic tasting Belgian Pale Ale with notes of melons of citrus.
- Gary Juicy : Gary Juicy is a crazy, hazy, India Pale Ale brewed with Neo 1 hops from Michigan’s very own Mr. Wizards Hops, Simcoe powder, and orange juice. Hazy and gold in color, Gary Juicy pours with a dense white head. Aromas and flavors of orange and tropical fruit are complemented by a malty backbone. Gary Juicy has a delicate mouth feel and finishes with a very mild and pleasant bitterness.
- Cafe Deth : A barrel-aged Russian Imperial Oatmeal Stout brewed with a host of wonderful specialty malts, flaked oats and oat malt to impart a rich, silky mouthfeel and deep, complex malt flavors and aromas reminiscent of dark baker’s chocolate, fresh brewed coffee and caramel candy. This keg is made just for the event with cocoa nibs and Dark Matter Coffee
- Free From G : Gluten-free fruity ale made with sorghum, peach, mango and a touch of Citra hops.
- Hopstitution #9 : This batch is brewed with Meridian and Caliente hops - leading notes of lemon zest, mixed berries, and stone fruit.
- Hazy IPA : Our Virginia take on a New England-style IPA is now available in 4-packs of 12 oz. bottles! This batch of Hazy IPA was brewed with Citra & Mosaic hops, then triple dry hopped with El Dorado & Azacca hops for a huge citrus aroma and fruity hop flavor. Super low bitterness and a soft, creamy mouthfeel round out this smooth-drinking beer.
- Pretty Haze Machine : A double dry-hopped IPA brewed with Citra and Motueka for flavors and aromas of grapefruit, mojito, and tropical fruit.
- Pound Sign : Light caramel flavor with dark fruit aromas with a mild bitterness. Spicy Belgian yeast aroma competes with the citrusy and melon aromas from the hops.
- Black IPA : There is a debate raging in the beer world: dark vs. hoppy. Never ones to be bound by convention, we're combining them both in our newest Black IPA. Bright citrus and pine hop aroma and a hint of roasted malt flavor come together in this all-American beer mashup.
- Black & Tan : Featuring a skilfully blended combination of Wolf Brewing Company’s Golden Honey Ale and Dark Malt Porter, the Black & Tan is the best of both worlds; the resulting blend is an easy-to-drink, medium-bodied, balanced ale offering a wonderfully complex flavour profile from seven different malt varieties.
- Imaginary Friends : Collaboration with Tangent Brewery with Calamansi Fruit - Barrel Aged Brett Saison
- Hay Stack Sour : This Berliner Weisse inspired American Sour Ale has tested several brewing boundaries. Large proportions of wheat induce the white/straw color, while the fruity aroma screams of the Amarillo dry hops. Upon tasting, a nearly two day kettle souring produces an immediate tart sensation and finishes with a refreshing apricot-like flavor.
- McNall’s Mission : McNall's Mission combines a variety of sweet and savoury brown malts and local raw honey to create a true Honey Brown Ale. The body is smooth, and delicious flavours of dark caramel, fresh biscuits, baked cookies, and honeyed cereal make for a soothing finish.
- Hem & Haw : Dark farmhouse ale with Brett
- Pamplemousse Citrus IPA : This deep golden, medium bodied Citrus IPA offers up refreshment that will satisfy all your senses. Four hop varieties along with real grapefruit juice build a solid hop bitterness highlighted by citrus notes, both on the tongue and in the nose.
- Gold Dust : Juicy aromatics, tropical fruit, low bitterness and high drinkability. Hopped with Chinook, Simcoe and Motueka. 
- Typo Pills : German Pilsner malt, mostly German Tettnang hops as well as a little Styrian Celia, Motueka and a sprinkle of Cascade. It's spicy and fruity with a bit of herbal character as well as a crisp pilsner malt flavor and that lager yeast character we love in a good pils. Conditioned for 5 weeks. 
- Reverse Migration IPA : IPA brewed with mango & passionfruit, collaboration with Cigar City.
- Mash Temps Matter : This was our first brew day, and man did we miss our temps. Drastic measures were taken to salvage a drinkable beer... What we ended up with was a Porter with a nose of vanilla and coffee, and flavors of roast, chocolate, and dark fruits.
- Thorley’s (extra) Ordinary Bitter : Named for Brewer, Luke Thorley. A traditional English-style pale ale. Character is well-balanced between subtly floral hops and nutty/toasty malt. This is a medium bodied brew more flavorful than its low ABV would suggest.
- Rainbows & Lollipops : Life’s not always Rainbows and Lollipops, so we created this IPA to put a smile on your face and let you know to not take things too seriously. Packed with tropical & citrus notes from heavy handed hop additions, it offers a balance of sweet smoothness and layers of fruity flavors.
- Stumblin' Chef Belgian-Style Tripel : Hazy gold in color, this beer is deceptively light with a malty honey-like sweetness. The Belgian yeast gives it notes of tropical and citrus fruits and a subtle spiciness that gives way to a warming alcohol finish.
- Hit The Floor Imperial Stout : An enormous imperial stout brewed with over 10 grains. Pours jet black with a tan head. Roasty, dark cocoa, bitter chocolate, warming booziness.
- Southern Grist / Finback - Batida : Sour with lactose, passion fruit, coconut, lime juice and orange peel.
- Chahklit Baltic Porter : Chahklit is a Baltic Porter brewed with almonds and earthy Ceylon Cinnamon. Cacao Nibs impart rich chocolate depth. It ages in Caribbean Rum Barrels to lend oak complexity and subtle Rum nuance.
- Estrella Galicia 1906 Black Coupage : The term "coupage" is used in the wine world to refer to the blending of wines to make a finished product. Hijos de Rivera uses the term here to refer to the mixture of four traditionally floor-malted Czech barley malts which they use to brew this excellent lager. Pouring very dark brown – approaching black – with reddish flashes, 1906 Black Coupage offers up a wonderful aroma. Look for richly bready notes with toast, touches of licorice, raisin and dried figs, hints of coffee grounds and cocoa powder, and an overlay of lightly fruity and floral hop character. This brew isn't shy on the palate either; there's quite a roasty character, with notes of deeply toasted bread, roasted coffee, and hints of dark chocolate and nuts. Those dried fruit notes emerge in the flavor too, augmented by Sladek hops which often contribute a fruity note akin to peach along with a spiciness similar to Saaz hops.
- St. Bretta Citrus Wildbier Gold Nugget Mandarin : Citrus zest from Gold Nugget Mandarin citrus as well as lemongrass. St. Bretta Gold Nugget is the first batch of our Brettanomyces Citrus Wildbier that is not named after a season. By moving away from seasonality, we are able to put the focus on the fruit itself and allow for greater experimentation.
- Treble Hook Tripel : Nothing beats living on Flathead Lake besides fishing on Flathead Lake! So we had to name our Tripel in honor of the mighty three hook treble fishhook used by fishermen here in Montana. Our version pairs distinct Belgian yeast and mild sweetness. The aroma and flavor run complex: tart citrus, yeast, malty, apple, pear, white grape, alcohol warming, with a dry and spicy finish. Malt: pilsner, wheat, honey, and Turbinado sugar. Hops: Golding.
- Le Peche Mode : Classic saison brewed with natural Georgia peach juice from Lane Orchards. The peaches add a subtle fruit complexity and tartness to this traditional farmhouse ale. Unfiltered and bottle conditioned, this beer delivers a refreshing malt character and a long, dry finish.
- Granola Brown Ale : Before a big pig roast we love to go on a long hike to get the blood flowin’ and our stomachs ready for a serious feast. to keep us going we pack a few bags of crunchy granola. then it came to us! granola brown allows us to have the best of both worlds- a refreshing brew with all the wonders of our delicious granola! take this beer on your next hike or hike one up to your lips for a satisfying energy packed libation. don’t want to pair your beer with a hike? try our granola brown with a nutty alpine cheese like springbrook tarentaise, comte or gruyere.
- Railbender Ale : Erie Brewing Company flagship beer features a deep malt flavor, caramel sweetness lingering in a soft hop flavor. Dark Amber.
- Spring Pale Ale : Throwback original California-style pale ale. Brewed with Magnum and loads of Cascade hops for a piney and grapefruity finish. Perfect accompaniment for grilled steaks and roasted vegetables.
- Lectio Divina : Lectio Divina is a cross between an abbey double and a saison. Open fermentation with a saison strain and a dose of wild yeast at bottling add to the complexity.
- Iron Spike Copper : With a rusty orange shade, Iron Spike Copper pours a thick and frothy cream coloured head. To the nose, caramel malts meet toasted spices with additional notes of chestnut and plum. Tastes of sweet caramel and butterscotch hit the palate first, followed by biscuit graininess, fruit, vanilla, rye, and spices. A nice hop bite comes forward mid-palate and lasts on the tongue. This medium to full-bodied ale is creamy and sweet with a lingering hoppy aftertaste.
- Corrosion : Opening with massive aromas of fresh citrus and tropical fruits, Corrosion hits with a firm hop presence accentuated by an upfront acidity. Kettle-soured before finishing as an IPA, Corrosion is uniquely balanced between the world of sours and the world of hops.
- Conductor's Craft Ale : Conductor’s Craft Ale fits broadly into the pale ale category, though we think of it more as a hybrid of traditional British, German, and American brewing techniques used to arrive at a hop complexity that constantly changes in the glass as it warms up and a drinker drinks more. With Conductor’s we wanted to tip our hats to ‘pioneer’ craft beers like Sierra Nevada Pale Ale and Anchor Liberty Ale, but at the same time the beer had to be balanced and drinkable to allow a drinker to enjoy more than one.
- LeMonster : Complex flavors. Massive hop aroma and bitterness.
- Jaunt : The Western Slope of Colorado, just a short trip over the Rocky Mountains, is the perfect place to find new ingredients for an excursion in brewing. Jaunt is a process, or journey, marrying a delicate pale ale with Colorado grown Riesling grapes and aged on oak, just for pleasure. The final blend boasts a creamy malt body, a bright and crisp fruity finish, and just a dash of vanilla from the oak. 7.6%
- Pot & Kettle Oatmeal Porter with Chocolate : For this rendition of our signature porter, brewed with oats, we added a post-fermentation dose of chocolate. Inviting aromas of coffee milk, cacao nibs, and pudding are followed by a hazelnut heavy palate, strong notes of dark chocolate, and Pot & Kettle's signature smooth mouthfeel. Opaque in appearance with a warm brown color.
- Lie To Me : Complex and creamy, leaves a delicate lace on the glass after each sip. Cherry tang balanced with velvet cocoa sweetness. Yearly Valentine's Day Special Release.
- Berliner Scheisse : For the last 70 years or so German had almost nothing to do with sour, funky beer — until Freigeist changed all that in a big way. These specialists in reviving and updating freaky old Deutsch styles have now come up with a version of a dark, historic Berlin Braunbier, hilariously named Berliner Scheisse Wild Strawberry. (If you don’t know the translation of scheisse, look it up immediately — and never offer the beer to a German grandmother.) This 5% specialty is, as per usual with Freigeist, very drinkable, in the way a shit-brown, roasted, lactic, mildly acidic and sour beer with lots of sweet strawberry can be.
- Milksaint Fiver : Anniversary Milkshake IPA. A special birthday installment of our series of collaborations with our friends at Omnipollo in Stockholm. Brewed with oats, wheat, lactose sugar, and green apple puree, and fermented atop of celebratory puree of Yuzu, Calamansi, and pink grapefruit. Conditioned on Madagascar vanilla beans and dry-hopped with Mosaic and Citra.
- Monkey's Dunkel : This is a traditional Munchener Dunkel (Dark Munich) style bier, fashioned after the original lagers of Europe before the advent of pale biers. Dunkels still enjoy great popularity in Bavaria and for good reason. Their nutty and toasty maltiness is neither too sweet nor overly roasty, making for a beer that is satisfying and very drinkable. The use of Munich malt as a base gives this beer its dark brown color and unique malty aroma and flavor. German hops give this beer a subtle earthy undertone with a clean finish. Monkey's Dunkel is a signature series of Cory Buenning, whose love for traditional styled lagers is very apparent in this brew. The alcohol content is 4.6%.
- Upland / Cigar City - Galaxy Grove : This collaboration with our friends at Cigar City Brewing in Tampa, FL is a funky IPA with miles of depth. During primary fermentation, we use two strains of Brettanomyces, both known for their fruity, tropical characteristics to complement the use of hops. The beer was then transferred into previously used oak barrels from Upland's Wood Shop to add a light acidity to the beer before aging on peaches and guavas. After going through another fermentation on the fruit, the beer was generously dry-hopped with Centennial, Citra, and Galaxy hops.
- Boscos Hillsboro Brown : A classic English-style Nut Brown Ale. Sweet and malty with the nutty flavor of chocolate malt, this beer is flavorful yet easy to drink.
- Black Drink Coffee Black IPA : Not a hint of light anywhere in this glass. Enjoy a dark, black pour with hints of bitter hops and heartily roasted coffee beans.
- North Fork Organic Porter : A traditional English-style Brown Porter brewed from the finest certified organic 2-row pale, munich, crystal, and chocolate malts. Hopped with certified organic New Zealand hops. Dark reddish-brown in color, full-bodied, with a roasty coffee-like character.
- Eternal Shredder : Eternal Shredder is the imperial version of Master Shredder. We are extremely please with how this came out. Jam packed with tangerine, grapefruit, fresh bright orange peel. Subtle dankness. Juicy as all get out!
- Hypgnosis : Citrus and fruited hops explode off a soft subtle malt base, finishing clean with bright refreshment. Bet you can’t have just one.
- Green Weenie IPA : An unfiltered, hop forward IPA with a generous amount of both Nugget and Citra hops to make it very fruity.
- Other Half / J. Wakefield Florida Plates 2 : Florida Plates 2 Imperial Spelt Cream IPA with Passion Fruit and Peach (8.0%) brewed in collaboration with J. Wakefield Brewing is a riff on Florida Plates but with passion fruit instead of pineapple and we switched the hop bill up to be Citra and Galaxy.
- Night Jump : Night Jump pours deep black with a dark roasted head of foam. Note the smell of barrel and the full scent of the malts. There is a rich flavor complemented by the whiskey barrel aging and the cacao nibs. We use more hops than the 18th century Brits did. Best if consumed after doing a night jump over enemy territory.
- Friend Of A Friend : After pulling Contrails w/ Peaches off of last years fruit, we were left with a beautiful slurry of peaches full of yeast and bacteria, both wild and from our foeder, which on its own tasted incredible, but promised more magic... So we pitched a base of Belgian pilsner malt, spelt, and raw Kansas wheat onto it and allowed it to ferment and age for 7 months. The results are an extremely complex beer, with rich, jammy peach notes throughout.
- Dubbel Dutch : This rich and complex Belgian Style Dubbel Ale originated in the European Monasteries of the middle ages. The times were tough and food was scarce. However, meticulous monks served the community, and themselves, by brewing a righteously robust beer which provided comfort. With this hearty draught the fasting friars had no need to worry. The biblical brewers provided passing pilgrims with necessary nutrition found in the Dubbel.
- Coal Miner's Dodder : Notes of espresso and milky chocolate on the nose meld with flavors of dark roasted barley to create a rich, creamy mouth-feel that ends with a dry, slightly bitter, finish.
- Atomic Bomb : A glorious golden ale with an outstanding well hopped fruity finish.
- Hype Train - Mango, Passion Fruit And Citra : This Triple IPA clocks in at 10.5% and is hopped exclusively with Citra. We then condition it on copious amounts of mangoes and passion fruit before packaging.
- American Tripel : An American version of the classic Belgian Tripel. Pale yellow but full-bodied. The Belgian yeast marries with American hops for a nose and palate full of fruity characters.
- Sexy Hops #1 : We dropped loads of New Zealand Kohatu and Australian Vic Secret dry hops into a base of the finest Maris Otter Malt. Bright waves of passion fruit, pineapple, tropical fruit and lime abound in this sexy brew.
- 2016 Estival Dichotomous : We’re pleased to introduce 2016 Estival Dichotomous. For this year’s Estival Dichotomous, we added grapefruit and tangelo zest to some mature, barrel aged sour beer. We then blended the barrel aged sour beer with citrus zest with young fresh beer fermented in stainless steel. Finally, we refermented the blend of old and young beer with a small amount of marion blackberries.
- Rubens : Belgian-style dark ale aged in oak barrels with cherries, cacao nibs, and coffee beans.
- Taybeh Dark : This classic style was first brewed by monks in the Middle Agesin order to fortify themselves during their fasting. A generous amount of malt goes into every bottle of smooth, rich Taybeh Dark Beer. Brewed in small batches in German traditional style using roasted malted barley, hops, yeast, and pure water creating a classic quality rare brew to celebrate the turn of the century in the Holy Land.
- Pluum - Blended Sour Ale w/ Plums : Pluum is a dry-hopped, folder-aged sour plum ale brewed with elderberry and salt. The use of both Damson and Mirabelle plums from B.C's interior evoke aromas of ripe pit fruit while the addition of Brett L adds a layer of funk. Juicy and tart with a saliferous warming mouthfeel. 
- Monks' Tripel Ale Reserve : The monks of the Benedictine Monastery of Christ in the Desert in Abiquiu, New Mexico, brew this gold-honey color Belgian Style Abbey Tripel Ale each year in limited quantities, using whole native hops grown at the monastery. Monks' Abbey Tripel Ale Reserve is distinctly fruity and spicy. The yeast lends notes of apricot, peach and plum. The hops are well balanced and add a slight earth/spice flavor before the finish. The barley malts provide a rich quality up-front, and a round fullness in the middle. The finish is clean and dry with light hints of citrus and mint. Like all of our Monks' Ales, our Tripel is "made with care and prayer".
- Fuzzy Logic : For our first release we present our take on a Kolsch, a traditional German beer from Cologne, Germany. Built from the ground up with the best North American malted barley and wheat, combined with a touch of German hops, this beer has a slightly citrusy and sweet malty character with only a hint of bitterness. Our special Belgian yeast imparts a signature fruit and floral aroma, making it a refreshing beer for any occasion.
- Peach Folk : Fruited Mixed Culture Golden Sour
- Windhand IPA : The first beer in our Collaboration IPA series. Being big music enthusiasts and a collection of musicians ourselves, combining beer and great riffs was a no brainer. Windhand is a Heavy Psychedelic sludge/doom metal band hailing from Richmond, VA. Press and reviews have likened them to a “new and fresh” Black Sabbath meets Nirvana. Their talented guitarist Asechiah Bogdan provided the art for the beer label and collectively Windhand’s heavy repetitive grooves provided the inspiration for the brew. This IPA is a exploration in the citrus realm of hops. Notes of strong tangerine, grapefruit and resin like bite with a classic malt base. Brewed with Nugget, Millennium, Warrior and Crystal hops.
- Canvas Series: Resonare : Resonare is a golden sour ale aged in neutral wine barrels. Two pounds per gallon of whole Italian plums contribute depth of character and stone fruit essence to this sour ale. Once this beer reaches its peak, we blend the barrels to attain the perfect resonance of our house sour culture with rustic Italian plums.
- Rye Porter : This full bodied porter was brewed using several specialty malts to give it a deep dark color and rich flavor profile. In addition to the specialty malts in this brew, 20% of the grain bill was made up of rye malt giving this porter a wonderfully spicy malt complexity. The robust dark malts combined with the spicy rye give this beer a truly unique flavor profile!
- Clown Question : Vic Secret and Citra hops. Fruity, juicy, and silky smooth.
- Queen's Red Ale : A deep reddish color, light hop character red ale leaving a light to medium bitterness. It is a balanced beer; medium bodied, moderate mouthfeel, well blended malty-ness with a light fruitiness.
- Steal Your Face Stout : A rich, malty, and complex Imperial Stout worthy of moderate aging. Flavors of dark chocolate, coffee, dried fruit, and sweet alcohol come together to provide the perfect sipper.
- Sea Monster Imperial Stout : Our Sea Monster Imperial Stout explores the darkest reaches of the traditional oatmeal stout. This bold, rich brew first lures you in with roasted coffee notes, then grabs hold with hints of bittersweet chocolate and currant. Backed with a perfect hop balance, you’ll soon discover this is one monster of mythic proportions.
- Can't Hop Won't Hop : Unhopped New England IPA with tropical fruit puree, spruce tips, citrus peel, and spices.
- Witch's Wit : Convicted of a dark art, the crowd will gather to watch as they raze your earthen existence. An intolerable pain is the cross you’ll bear that day as you are removed from this righteous world. No one will summon the courage to save you in fear of their life. It sucks. But such is the life of a witch. In honor of your fleeting existence, we brewed Witch’s Wit. A light and refreshing wheat beer, it’s exactly the sort of thing you might expect to find being passed around the center of town on witch burning day. Say hello to the Prince of Darkness for us.
- Dark Pines : Dark Pines is our special collaboration beer with @blackaleproject.
- Purple Haze : Experience the magic of Purple Haze.® Clouds of real raspberries swirl in this tart and tantalizing lager inspired by the good spirits and dark mysteries of New Orleans. Brewed with pilsner and wheat malts along with Vanguard hops, let the scent of berries in the hazy purple brew put a spell on you.
- Bomarzo : Peach Berliner Weisse brewed with malted wheat. Fermented in our upright open-top oak fermenters, then conditioned in stainless steel for many moons on top of copious amounts of house processed peaches from our good friend Ben Wenk of Three Springs Fruit farm. 10% of all proceeds will go to the Broad Street Hospitality Cooperative who offer medical and legal services, psychiatric and behavioral health services, dental care, HIV testing and free, nutritious meals to Philadelphia's most vulnerable citizens.
- Upside Brown : What can “brown” do for you? Our latest Brewmaster’s Obsession Series ale turns your world upside down. The use of wild Brettanomyces yeast makes the beer more complex – yet magically more drinkable at the same time. The challenge to tame wild yeast is an obsession that drives our brewers, and fuels a passion for making great beer.
- White : Our interpretation of a traditional Belgian wheat beer. Brewed with a generous portion of wheat and spiced with coriander and Curacao orange peel, this beer is fruity, refreshing and slightly cloudy in appearance.
- Anchor Porter : With deep black color, a thick, creamy head, rich chocolate, toffee and coffee flavors, and full-bodied smoothness, Anchor Porter® is the epitome of a handcrafted dark beer.
- Collaboration No. 5 - Tropical Pale Ale : Combining CCB’s expertise with tropical fruit flavors and Boulevard’s love of pale ales, Collaboration No. 5 – Tropical Pale Ale begins with a base of soft pilsner malt layered with Maris Otter, Munich and caramel malts. Huge late hopping with a blend of Mosaic, Citra, Lemondrop and Azacca lends bright flavors of mango, pear, blueberry and citrus to a pale ale featuring slightly toasted biscuit and caramel/toffee notes. Infused with freshly sliced grapefruit at the conclusion of the boil, our tropical pale ale is briefly aged on passion fruit and grapefruit at the end of fermentation resulting in a refreshing acidity and tropical fruit flavor and aroma. At 7.3 ABV and 55 IBUs, Collaboration No. 5 – Tropical Pale Ale finishes slightly tart with bright citrus character from dry-hopping with Lemondrop, Azacca and Pacific Jade hops.
- Queen Of Tarts : A dark sour ale with lightly roasted malts, dark fruit flavors, and a tart finish. Aged in American Oak barrels with Michigan tart cherries. Took home a gold medal at the 2016 Great American Beer Festival."
- Bourbon Barrel Aged Hunter : Nestled inside a bourbon barrel until just the right moment, we will unleash our 11% Double Milk Stout into the world with cocoa nibs, lactose sugar, dark malts and oaky wood flavor that won’t soon be forgotten.
- Kara-Belle Blonde : Our Kara-Belle Blonde ale is lightly balanced with Magnum for a touch of citrus. It has a golden blonde color with subtle fruitiness and slight bitterness. Perfect for an all day drink-ability.
- Roaming Bear Porter : Named because it will come and go as a seasonal favorite, Roaming Bear needs little introduction. It is loaded with roasted barley and complimented with a unique blend of malts giving it a rich, deep roasted flavor. We pound this dark beer with Magnum hops to give it a nice bitterness and finish it off with a little Willamette. At 5.5% ABV, it will keep you warm without putting you into hibernation.
- English Barleywine : Traditional brown, English-style Barleywine with intense, complex malt sweetness and a sherry-like quality. Full-bodied with balanced bitterness and a warm finish.
- Juzek 13º : Juzek 13º is done in the style of Czech tmavé pivo, a dark lager. Unlike German dunkel, these beers are brewed within a broad profile and vary from brewery to brewery, with everything from color, sweetness, and roast level distinguishing one example from the next. Our take highlights the overall smoothness and strong, complex malt flavors found in most tmavé pivo. The finish remains soft but drier than a typical Czech version, making for a highly drinkable beer. Look for the Juzek 13º at Bailey's Taproom, where it will be the Hausbier for most of February and March.
- Lowcountry Dark Ale : What’s in a name? In the beer world, a lot, apparently. As highly-hopped, darker ales became all the rage over the last few years, the fight over what to call the style got fierce, and at times, ridiculous. Are they Black IPAs? Cascadian Dark Ales? American Black Ales? Who cares, good beer is good beer. As fans of the style, tiring of the battle over semantics, we brewed Lowcountry Dark Ale. It’s a hoppy, dark ale, brewed in the Lowcountry. ‘Nuff said.
- Tailgate Brown Ale : Tailgate Smoked Brown Ale is an American Style Brown Ale brewed with cherry wood smoked malt. Flavors of fruit, smoke, caramel and chocolate come through this beer. The beer offers nice hop flavor with smoke and chocolate aromas greet you with every sip. This beer is a session beer at 3.5% ABV, perfect for tailgating at your favorite football games.
- Fundur Session IPA : Fundur pours gold color with an off-white head and lacing. Hop forward aroma of grapefruit /citrus, pine and dank hops. Flavor starts with hops that give way to a malt taste. Coupled with the light body and dry finish the beer is very drinkable as a session beer but still has the hop backbone to make it an IPA.
- Long Monday : Dark chocolate, malted milk balls, pine sap; malt leads and potent hops follow. Conditioned on Coffee Labs Doghouse blend coffee.
- Belgian Ale : Extremely drinkable, this ale is full of fruity aromas from the house yeast used in fermentation. Pilsner malt is combined with Czech Saaz hops to produce a beer with a fruity sweetness and spicy finish.
- I Will Not Be Afraid - Black Currant : I Will Not Be Afraid is brewed with an assortment of chocolate, roasted, and pale malts and carefully dosed with cacao and coffee. We taste intense syrupy dark chocolate, caramelized candy sugar, chocolate covered espresso beans, and a hint of cherry cola. The additional of black currant adds an additional layer of dark and mysterious flavor to the beer resembling plum and earthy, jammy dark fruits. It is luxurious and silky, like chocolate clouds, yet never relies on an overly saccharine complexion to bring out the intense and complex flavors we have worked so diligently to impart. We welcome you to enjoy it while you relax here at Tree House.
- Fruit Tart: Blackberry : Fruited sour farmhouse ale with blackberries
- Wolaver's All-American2 : "All-American2," like the first All-American Ale released earlier this year, is 100% certified organic, and brewed only with ingredients grown here in the USA. All-American2 incorporates Fuggles and Goldings hops with organic malts and the brewery's house yeast for a smooth English-style pub ale. The beer features a pleasant balance of pale and roasted malts and a subtle but distinct hop aroma. The flavor is complex with great depth of character. Available only on draft, or in growlers from the brewery tasting room.
- Nut Brown Ale : Chocolate color, honey and tobacco aromas, nutty flavor, medium body.
- Sur Galaxy : Sour Mashed Black IPA. A rich roasted malt profile, smooth yet light bodied with a soured/tart finish. Balanced and finished with the citrusy and passion fruit like hop profile of this notorious Australian hop.
- Winter Wheat : Formerly American Dark Wheat
- Brown Pow Nut Brown : English style brown ale that's nutty and biscuity with flavors of toffee and caramel.
- Espresso Bock : Our Espresso Bock was made with actual Espresso Beans & 5 Malt Varieties. It is a dark brown color with attractive garnet highlights. The bouquet is noticably coffee-like. The malty-sweet flavor is complimented by the roasty, chocolate notes of the espresso beans and balanced by a medium to full body. Try this delicious offering with our Chicory Stout Rib-eye, our sweet-n-spicy BBQ ribs, or one of our homemade pastries!
- Newport Storm - Brent (Cyclone Series) : Our first attempt at a bock style and this dark lager was meant to be sweet and rich—many people commented it tastes like a piece of liquid candy! Huge percentages of the sweet chocolate malt coupled with almost 500 pounds of dextrose really gave this beer a unique twist that anyone with a sweet-tooth would die for! Named after our company’s president, Brent Ryan; it is must be nice to have your name on 27,000 labels…
- Winter White Stout : Steamworks Winter White Stout takes the rich typical stout flavours and body imparted from oats and barley, but without the dark coloured, roasted malts traditionally used in a stout. Instead, these roasted notes come from first aging the beer with whole espresso beans from East Vancouver’s Pallet Coffee, and then with whole cacao beans from East Van Roasters. The result is a deliciously unexpected brew that pours light gold with a thick white head, perfect for the West Coast Winter.
- Brewer's Reserve Double Citra IPA : Brewed with floor malted Glen Eagle Maris Otter (the same malt in our Single Malt IPA) and 100% Citra hops. There is a wonderfully light malty sweetness from the Glen Eagle, but most of this beer’s flavor comes from the Citra hops, and we used a lot! Citra is a new hop variety that was released in 2007 and is known for its smooth bittering and intense flavor and aroma. Expect strong citrus notes of grapefruit, lemon and melon with a pronounced, but not over powering bitterness. With 111 IBU’s and 9.2% ABV it’s unprecedented how smooth this beer is!
- Just Because: Imperial Stout : First in our Just Because series, an imperial stout with hints of black licorice and dark chocolate.
- Laces Out Hefeweizen : Held right, this America Hefe is a game changer. Its sweet but not too sweet flavors make it a great choice for the novice craft beer drinker but also satisfies the connoisseur with its complex finish.Laces Out pours pale straw in color with a thick, moose like head and long lasting retention. High protein content of the wheat impairs clarity and produces haze. Its Aroma has strong clove-like phenols with subtle banana-like esters to balance. Phenolic character comes through in the flavor with a just a touch of vanilla and bubblegum esters to round out the flavor. Finish is crisp and dry with a tart citrus palate and high carbonation.
- 1938 Special : This old-fashioned nut brown ale is brewed with all British hops, malt and yeast. Nutty with notes of toffee, light chocolate and caramel.
- Small Beer : Exceptionally satisfying and full bodied for it's stature. Vibrant in citrus, tropical fruits and berry flavours from the Citra, Mosaic and Simcoe hops, this beer delivers the same big hop hit you may have come to expect from our more muscular Pale Ales.
- Nutty Brewnette : Nutty Brewnette is an American-style brown ale. A blend of four different dark malts contributes to a flavor profile that is sweet with “nutty” notes. A healthy dose of hops makes this beer hoppier and more balanced than most English brown ales. 
- Grapefruit Farmhouse Ale : This is a Belgian-style farmhouse ale that is slightly hazy, bright and citrus-forward. Aromas of grapefruit rind, cara cara orange, coriander and white pepper fill your nose with vibrant citrus and spice. On the palate, you'll taste notes of sweet melon and guava. It finishes dry with heavy citrus character and light grapefruit bitterness. This beer pairs well with goat cheese, fruit & nut salads, a picnic in the park or gardening in the backyard. Try a beer-mosa with this beer and orange juice or grapefruit juice for a stellar brunch beverage.
- Scottish Pale Ale : Bright copper colour; toasted malt, a hint of caramel and a touch of fruit aromas; Medium body, with coffee and dark chocolate notes, nice hop balance and nutty finish.
- Smuttynose Shoals Pale Ale : Our interpretation of a classic English beer style is copper-colored, medium-bodied and pleasantly hopped. Its flavor is delightfully complex: tangy fruit at the start, with an assertive hop crispness and a long malty palate that one well-known beer writer has compared to the flavor of freshly-baked bread.
- Nitro Dry Irish Stout : We partnered with Boundary Brewing Cooperative of Belfast, Northern Ireland, to create this traditional Dry Irish Stout with dark character and a classic, creamy body. Roasted barley, flaked barley, and Irish Stout Malt give this black beer flavors of coffee and hints of grain.
- White Birch Small Batch Ale Bill's Batch 39 : Each year I like to do a special beer on my birthday. I work out a theme and then enjoy. Since opening White Birch Brewing I’ve had the fun of being able to use more equipment, more ingredients and no worries about the mess in my kitchen at home. This year instead of more I chose a theme of less. Less as in one grain, one hop and one yeast. I took 110 pounds of grain, 60 gallons of water and created 20 gallons of wort. I then hopped it with Warrior hops to 39 IBUs as I turned 39 this year. Add in champagne yeast and we have a beer. Using an unusual mash technique influenced by pre-industrial English brewing, I did an extended step mash with the grain. Typically a one grain beer like this is pale yellow to golden in color. Due to my mash process the resulting beer is a beautiful golden cherry red with a rich fruity malt flavor. The hops bring balance and a pleasing bitterness without taking away from the complexity of the malts. For me, this is a sipping beer, best enjoyed in the evening after the end of the day.
- Belgian Blue IPA : Deep tangerine and hazy in appearance, this fruited IPA features mild blueberry and hop resin on the nose. A light sweetness parallels the hop notes, with hints of blueberry on the side of the palate and a mild blueberry finish.
- Mt. Prevost Porter : A silky smooth dark ale with savoury cocoa and roasted malt flavours, our porter has a slightly smoked finish that is both alluring and illusive.
- Altbier : Altbier, literally translated as “Old Style” beer, is a classic German ale. BBC Altbier is brewed with additions of Munich, wheat, caramel, and chocolate malts creating a delicate, but flavorful malt profile. This delicious amber colored session beer is balanced with additions of tradtional spicy German hops creating a light and floral bouquet to compliment its complex malt profile.
- Tart Side Of The Moon : Hearty stout is kettle soured and blended for a slight tartness along side big dark chocolate notes and hints of black cherries.
- Freaktoberfest Big Ol' Pumpkin Ale : Freaktoberfest is a hauntingly complex, deep amber, pumpkin and espresso ale. Caramel aromas intermingle with hints of allspice and cinnamon. A roasted rich body is highlighted by Greenpoint’s own Cafe Grumpy’s specially selected espresso beans, and is finished with sweet pumpkin.
- Hop Harvest : This autumnal offering is a liquid celebration of the hop harvesting season. The generous use of Ella hops impart both grapefruit and tropical fruit-like flavors to this harvest time dry-hopped American ale.
- Brewer's Art ChopTank'd : Rye saison brewed with grapefruit.
- Dark : Don’t be afraid of the Dark. Unlike some of its bigger brethren, Dark is not to going to scare you off by being too big or too sweet. Pleasant fruitiness swim in sync with roasted malts & dry cocoa; balanced and flavorful, each sip will draw you to its murky depths, but you probably won’t mind.
- Yonkers India Pale Ale : A west coast style IPA. The rich golden malt provides the perfect canvas for the variety of hops shine. The Columbus, Centennial, Glacier, Citra and Simcoe hops create a rich aroma shock full of citrus and stone fruit.
- Barrel Aged Night Run RIS : Huge and dark Russian Imperial Stout with an intense combination of fruit, chocolate and roasted coffee notes. This Night Run is barrel-aged for 6 months.
- Temeculan 3000 : Dark Lord Aged in Pineau Charentes Barrels with Green Cardamom and Ceylon Cinnamon
- Bangin' Banjo / Odd Breed - Peghead : This Strong Dark Wild Ale is a collaboration between Odd Breed Wild Ales and Bangin Banjo Brewing Company. Aged in French Oak Cabernet barrels for 13 months with Odd Breed's mixed culture creates notes of sour fruit and bakers chocolate with moderate acidity and prominent notes of oak and red wine.
- Flooded Heart : A revival of our cranberry sour ale with loads of orange zest, and a tart & refreshing finish. We’ve re-tooled this fruit-forward brew to showcase it’s complex character, and go perfectly with 8-10lbs. of turkey that you will be consuming this holiday season.
- Barley Wine : A very rich, heavy bodied, dark golden brown beer. Malty sweetness is balanced with delicate hop bitterness and a sherry-like aroma. Perfect for savoring slowly on a cold winter day: as the beverage warms, the flavors and aromas intensify.
- Commander Clifford’s Imperial Red Ale : This Imperial Red was brewed with a unique blend of crystal malts to impart intense flavors of toffee, caramel and subtle burnt sugar. A touch of Munich and Wheat malts round out the mouthfeel to allow for an onslaught of hoppy goodness. Hopped with Summit, Chinook, Centennial, Citra, Galaxy and Mosaic hops at five pounds per barrel. Resinous hop flavors of citrus, passionfruit, pine trees and berries perfectly accompany the malt character. This complex, hoppy ale is perfect for the cold weather. Come blast off with Commander Clifford in his big red hop rocket!
- Edmund Fitzgerald Porter : Robust and complex, our Porter is a bittersweet tribute to the legendary freighter's fallen crew--taken too soon when the gales of November came early.
- Milkshake IPA - Cobbler : IPA brewed with oats and lactose sugar. Conditioned atop heaps of luscious white peach purée, Madagascar vanilla beans, cinnamon, and nutmeg. Intensely hopped with Mosaic and Citra. Dreamt up with our dear friends from Omnipollo in Stockholm, Sweden. Big drippy stone fruit, cotton candy, cinnamon graham crackers, whipped cream notes.
- Ocean Oh, Deer IPA : Marris Otter Pale Ale malt, Caramalt and Dark Crystal malt. Bitter hop: Southern Cross (50 IBU). Flavour hop: Citra. Aroma hops: East Kent Golding, Cascade.
- Holy Willie’s Robust Porter : Holy Willie begins life in two lands, with BC and British specialty barley, with malted & flaked oats; but He feels the fires below more than others and his passion quickly turns to the Dark Side. Holy Willie must first destroy the young malts, but he is brewed to bring balance to the craft. His IBU bitterness is hidden behind chocolate roasted malts, the swirling maelstrom of his character is bold yet creamy, acrid yet malty. This stout ale, this Robust Porter tells you “Look, I am your Father”.
- What We All Want : This is a Foreign Objects New-American Hoppy Ale. You can't trust the God you trusted, so trust our waves of flavor instead...Mosaic and Azacca hops give you what you need to fill your time...huge aromas of citrus/grape, kiwi, passionfruit, and resinous American hop intensity spins this wheel! It's not for lack of trying...could you be happy with something else? In this case what we want is in fact what we get...
- 713 Balsamic Stout : We infuse our award-winning Oaked Stout with balsamic reduction for a flavour of dark fruit and a subtle tartness.
- Pillars Pale Ale : Easy drinking with a creamy white head and light golden color. Hoppy aroma, first sip tasting fruity hops and a little crystal malt. Finish with fruit and malt.
- Funky Greens : IPA brewed with a proprietary strain of Brett from Nashville's own Bootleg Biology. Very fruity, full of pineapple, grapefruit, and peach with a finishing bitterness.
- Vanta Black IPA : Don’t be fooled by the darkness of this danky goodness. This resiny IPA will change the way you think about dark beers. Continuously hopped and whirlpooled with a blend of Cascade, Centennial, Chinook, Citra, Cluster, Columbus, and Crystal hops.
- Cherry Festive Ale : Cherry Festive Ale is a beautiful malt and fruit ballet featuring local cherries from King Orchards in Kewadin. This beer was designed specifically to mingle with the fruit and not be overwhelmed by it, weaving a flavor profile that allows both the malt and cherries to have their day in the sun. Then we thought we'd go a couple of steps farther and lay it down on Madagascar Bourbon Vanilla Beans and age it in Traverse City Whiskey Co. Bourbon Barrels. The end result is a warm, comforting and complex barrel aged brew worthy of our local city wide party we call The National Cherry Festival.
- Hogarth : Hogarth, a strong ale blend aged in apple brandy and bourbon barrels - big, malty, caramel backbone; assertive rye spice; sophisticated, intricate symphony of bourbon, toffee, and dark fruit flavors.
- Redheaded Step Brewer : DSBC’s twist on a traditional Red Ale, featuring Caramel and Chocolate Malts, resulting in a darker color and pleasing aroma with minimal hop bitterness.
- Scratch Beer 217 - 2015 (Dark Lager) : During a field trip to the Deer Creek Malthouse outside West Chester, PA one malt variety led to one question: If it was roasted a bit longer, would it make the barley richer in flavor or scorch it to death? We’re excited with the results in Scratch #217, a dunkel-style dark lager. Deer Creek’s “Double Dutch” malt coupled with noble hops results in a smooth, rich, and complex dark beer. It combines a slightly dry chocolate note and bready sweetness with a well-rounded, crisp character without the “weight” of a porter and stout. Prost!
- Feast Of Fools : In medieval times, the celebration of darkness and light was marked with great halls filled with smoke and mirrors. Gilded goblets brimming with seasonal brews were lifted to lips speaking a language no longer known. The present connects the past through the brewer’s art and a beer of utter darkness is born - Feast of Fools Raspberry Stout. Gather thy friendly fools for a round and celebrate the oncoming darkness with sweet ale and glee.
- Barabbas Nr. 57 : This Belgian-style Dubbel is dark and dangerous with pockets full of stolen fruit, guilty as sin and yet more popular than Jesus among the people.
- Sussex Dark Mild : A dark malty mild. Ideal sustenance when there is physical work to be done. Harveys awards for Milds date back over half a century and this style of beer enjoys a long heritage at the brewery.
- Firefly Nights : "I created this beer as a reflection of the summers of my childhood growing up on the Eastern Shore of Maryland. Two of my favorite things to do was chasing fireflies with a mason jar and indulging in the sweet nectar of the honeysuckle flower, which grew wild throughout my neighborhood. My favorite time of the year is when I see fireflies for the first time and it takes me back to that period in my life. This light, crisp, refreshing summer ale with the sweet, fruity, floral flavors of delicious honeysuckle pays homage to those warm summer evenings when life was so simple. And of course, it must be served in a mason jar! Enjoy!
- Saloon Boss Brown : A sip of this Bold medium bodied brown ale will take you right back to the heyday of Buffalo. We wanted to mix the bittersweet flavors of chocolate with a host of nutty flavors, while capturing the elegant flavor of beer that made Buffalo the beer brewing capital it once was. My business associates and I are all in agreement that this brew did exactly that!
- Slap Fight : Slap Fight will woo you in with a West Coast-style malt bill, but slaps you across the face with its tropical hop profile. Light in body, heavy in character, this IPA features Munich and Crystal pale malts for a clean, rich mouthfeel. Comet, Equinox and Mosaic hops lend a pungent herbal aroma, peppered with hints of papaya, orange and grapefruit. Present this beer to a friend. If he does not drink it immediately, slap him as hard as you can. Repeat.
- Meer Koebel : Although similar to More Cowbell but with one big exception, Belgian yeast. Bright, spicy aromatics from the traditionally Belgian yeast strain will leap out of your glass and give way to the soft tropical fruit flavors.
- Plump Cat : Juicy Citra combined with some of our favorite dank hops Columbus and Simcoe. Tropical fruit and citrus notes with a touch of pine resin. Moderate hoppy finish with a soft mouthfeel. This cat is thirsty!
- Ca$h 4 Golden Ale : Pipeworks is bringing the bling with Ca$h 4 Golden Ale. This Belgian inspired ale ain't frontin' with it's Pilsner malt base and hint of rye. Czech Saaz, German Tettnanger, and a blend of Pacific Northwest hops are stuntin'. But the number one stunna here is the Belgian yeast, stepping with notes of pineapple, tropical fruit, and a dry tart finish. We think this beer is the shiznit. Real talk!
- Size 11 : This beastly Triple India Pale Ale is the biggest of brothers to Size 7. Aromas of ripe Tuscan melon, honey dew and citrus explode at first sniff. Built on the same back bone, but doubled in all aspects. Malt sweetness up front, with a full mouthfeel, give way to ridiculously copious layering of hops. Wave after wave of citrus peel, grapefruit, honey dew melon and guava are pronounced from aroma, to flavor, to finishing bitterness. Warming but not hot, this one will definitely rock your hoppy world!
- Boscos Midtown Brown : A classic English-style Nut Brown Ale. Sweet and malty with the nutty flavor of chocolate malt, this beer is flavorful yet easy to drink.
- Werewolf : Here’s a seasonal brew with added bite. Habanero chillies infuse our award winning Wolf dark ale with a spicy devilishness that will leave you howling for more. The perfect warming brew for Halloween and the Autumn months.
- Kölsch : Kolsch is characterized by a golden color and a slightly dry, subtly sweet softness on the palate, yet crisp. Light-bodied, low hop flavor and aroma and low fruity esters. 
- Winter Warmer : When you bring a glass of this dark copper ale to your lips to take your first sip you will notice the aroma of cinnamon. There is no aromatic hop added that might overpower the distinct spice scent. The medium body of this beer is formed from caramel and pale malts. These create enough body to support the spices without making the beer excessively rich. Bittering hops are added to counter the sweetness of the malt and spice. The finish of the beer is a blend of cinnamon and nutmeg. The combination of these two spices results in a balanced, pumpkin-pie flavor.
- Harpoon Dark : A blend of specialty malts gives this beer a velvety mouthfeel with roasted notes and a hint of chocolate, balanced by a subtle hop aroma. Hard to describe but easy to drink, Harpoon Dark is rich in character and light on the palate.
- Imperial Mocha Coffee Stout : A full-bodied double mashed stout with soft espresso like texture. Whole cacao nibs deliver a chocolate backbone and cold pressed coffee adds another layer of complexity to this very dark and incredible creamy imperial stout.
- Who Lives In a Pineapple Under The Meme? : Brewed with over 750 pounds of Pineapple puree, our Meme yeast, and a combination of Galaxy, Azacca, and Equinox hops, this beer presents a nose full of tropical fruit and pineapple sweetness. The flavor is full of some of the same before finishing into a crisp but balanced bitterness.
- Trip V : Trip V delivers the comfort of cocoa and vanilla with a bold cherry twist. Bolstered by chocolate and caramel malts, this beer pours dark, reddish brown. New Belgium Brewer Andrew Sturm decided to go big with all three spices but achieved balance through a moderate amount of bittering hops. The result is a satisfying blend of chocolate, cherry, and vanilla delivered on a sophisticated bed of hops and alcohol.
- Spencer : SPENCER (The Dispenser of Provisions) is our annual fruit beer. In the early fall, we harvest wild blackcurrant fruit and add it to a batch of year-old SAHALIE. The sugars in the fruit produce another fermentation and the blackcurrant tannins create additional structure over the 8-month aging period. Prior to bottling, the beer is dry-hopped for a month in oak barrels. With close to 2 years in oak, Spencer has a much more developed Brettanomyces character than our other beers. Because of the extremely limited quantity of wild blackcurrant available, we produce only one oak barrel of Spencer every year.
- 4th Anniversary Ale : This barleywine was barrel-aged for 18 months in French oak with Brettanomyces Bruxellensis and Brettanomyces Lambicus. Only 4 barrels were produced and each barrel has been bottled as its own series and numbered by hand with each barrel slightly different than the next. A pleasant and distinct funky aroma leads into flavours of dried dark stone fruits and umami overtones, complemented with a dry, sherry-like finish.
- Baltic Trader : Baltic Trader celebrates the North Sea sailing ships that plied the fishing trade between British ports like Lowestoft, the Low Countries, and Scandanavia. Many a good herring was netted and eaten with an Export Stout like Baltic Trader! Smooth and rich with notes of fruit, roasted coffee, and vanilla.
- Picture In Reverse - Mead Barrel-Aged : We took a small portion of this beer post fermentation and aged it in barrels we got from our friends at @melovino Meadery. These barrels were first used to age bourbon, then mead and finally our Old Ale. The mead barrels add another layer of flavor and complexity to this beer. (White Wax)
- Red Swingline : A wild and sour session IPA. Brewed with three heavily fruity hops, coriander, and tangerine zest the profile is definitely American in focus. Aged in French Oak Chardonnay barrels with souring Lactobacillus, funky Brettanomyces yeast, and dry-hopped in each individual barrel. This beer is a definite wow moment.
- Glowsun IPA : Big, Lush, Hazy Double IPA. Notes of tropical fruit and citrus.
- Polonaise APA : This is an easy drinking American pale ale. It has a dark golden color and pleasant citrus aroma. The flavor starts off with a caramel sweetness and finishes with tones of grapefruit which lingers after each sip.
- Subtle Alchemy 003 : There are many pieces to blend number 3. The overall theme is an expression of hops and citrus through time and mixed fermentation. Zest from lemons and oranges, multiple independent dry hops, and very small amounts of apricots bring this blend to life. Ranging in age from 12-24 months this blend has brightness and depth. Tasting notes includes citrus, overripe fruit, stone fruit, and tart.
- El Dorado Oat Pale : The latest iteration or our single hop oat pale ale featuring El Dorado hops. Oats lend a smooth, creamy body while the hops add flavors of peach, mango and other tropical fruits with light, balanced bitterness.
- Hot Lil Tart : Fruited Berliner with chili peppers.
- Dernière Volonté : The Last Will is born from a meeting between the Belgian and British brewing traditions. It has a complex nose of flowers and alcohol, supported by slightly fruity and malty flavors, all topped by a strong hop bouquet. In the mouth it is spicy and fruity hints and a discrete touch of alcohol. In the final, hops up the rear with force.
- Saranac Summer Pils : Why is Summer Pils the perfect summer refreshment? Becauase this German Pilsener uses traditional (Tettnang) and exciting (Cluster, Cascade and Belma) hops for a floral and citrus aroma, with a tropical fruit and spicy hop flavor – some may even call it WILD HOP.
- Iconic Double IPA : Iconic Double IPA is California’s gift to beer lovers. Ours is brewed with four distinctly American hops: Centennial, Citra, Columbus and Simcoe, all beautifully balanced by five malts. Then add generous additions of local orange blossom honey. An intense sensory experience — the fresh aroma of citrus, pine and grapefruit meets the bold taste of hops and sweet honey in a perfect merger that had always been waiting to be discovered.
- Pinotlambicus : A dry and vinous beer with hints of smokiness and a touch of oak. First running press of Pinot Noir grapes from Santa Barbara County were added to a year old blonde sour ale (called by many names around here, one you may be familiar with is Cuvee Jeune) and fermented together in stainless. The grape beer was then transferred to wine barrels and aged for 10 months. The beer is pleasantly tart, complex and refreshing; it can easily substitute a sparkling wine for any celebration.
- Never More : Never More is the next iteration in our fruited Gose series. Never More was conditioned on more than a ton(literally) of blackberry purée.
- Growing Power : Growing Power hits the glass pale copper with a loose, fluffy white head. Grapefruit, pear, and floral aromas prevail from organic Cascade, Centennial, and Calypso hops, followed by clove esters and spicy phenols. Citrus and clove greet the palate first, with organic caramel and Munich malt rounding out the flavors, adding balanced sweetness and a medium mouthfeel. This one ought to put a sustainable smile on your face.
- Otter Creek Copper Ale : Our award-winning flagship brew inspired by the beers of Northern Germany. Copper Ale is a complex amber ale handcrafted with six malts, three hops and the spirit of the Green Mountains.
- U.P.A. : Designed to be an Indian Pale Ale style, the light straw colour of this beer belies its full and citrus fruit driven flavours. Distinctly hoppy, with wonderful aromas from Styrian Goldings hops, the finish is perfectly balanced and satisfying. A huge hit with Untapped fans!
- Harvest Hefeweizen : Not just another wheat beer. This award-winning hefeweizen is fermented with an authentic Bavarian weizen yeast to produce its unique flavor profile — fruity, spicy and refreshing. Try it without a lemon!
- Clarabelle : Clarabelle began as Maybelle, a barrel aged blonde farmhouse ale. It was then aged in Ransom Old Tom Gin barrels for one year before finishing in a stainless steel tank with a blend of Brettanomyces and 500 pounds of peaches from Baird Family Orchards. The result is a rich and aromatic farmhouse ale, with bold peach notes and a balancing floral character from the Brettanomyces and Gin barrels. Clarabelle is ready to drink now, as the deep fresh fruit character is woven delicately into the Brettanomyces profile, but can also be cellared for one year.
- Caos : After the Equilibrista, our beer inspired by the Champagne world, here it is a new experiment on the “wine meets beer” theme. This time, though, we tipped the scales in favour of beer, adding to the Duchessa wort only a 25% of wine must: in this case we used Malvasia (coming from our friends of Tenuta di Bibbiano, as usual), a white, aromatic grape variety which gives the beer a gentle and nice sharpness and an inusual, fruity nose. The beer is bottle-fermentd using Champagne-yeasts, and it has a quite intense “perlage” (bubbles) that makes it perfect as an aperitif or even for the whole meal. The “chaotic” label was designed by Valentina De Luca, an Art student at the Istituto d’Istruzione Superiore Antonio Cederna of Velletri (Rome), who won our contest “Etichette Bizzarre”.
- Nitro Extra Special Bitter : Our English-style ESB served on nitro. Creamy smooth, striking a proper balance between malt and hops with subtle notes of fruit, toast, and caramel.
- KneeCap : PA brewed with mandarin purée and orange blossom honey; then dry hopped with citra, mosaic, and Mandarina Bavaria. Notes of freaky bubblegum, Orange creamsicle, passion fruit, and berries.
- Flying Goose Pale Ale : A touch darker and meatier, this pale is lighter on the torso yet stronger on the mouth.
- Hotter Than Helles Lager : Our Munich Lager is a nod to the thirst quenching lagers of Germany. Our Helles has a sweet malt expression that is balanced by floral bitterness from the use of German Hallertaur Mittelfruh hops. A very refreshing beer that will also entice you by its subtle complexity and drinkability.
- Leviathan - Baltic Porter : Leviathan Baltic Porter is a dark, strong beer of considerable complexity. Brewed with a highly alcohol-tolerant strain of lager yeast, it has a smooth, full flavor with dark fruit and licorice notes in the aroma. De-husked roasted malt lends a dark chocolate character without being sharp or harsh. Raw sugar and dark crystal malt give some raisin and molasses notes while East Kent Goldings hops make for a long, earthy finish.
- Dark Galaxie : Dark grains contribute rich notes of chocolate, coffee, and molasses to this stout that gets its creamy mouthfeel from a generous hand of oats and lactose.
- Quincy Common : Classic California lager yeast gives this malty beer notes of soft fruit, classic hops and a refreshing zippy finish.
- Black Raspberry Ale : Our fruit beer is soothingly smooth with a round finish and a bit of malt in the background.
- Big Hoppy : This dark and devious brew reflects a resinous and sticky fusion of intense bitterness, big roasted barley flavors, and powerful dank aromas. Made with HUGE additions of five hop varieties and seven malts to create a bold flavor profile.
- Saint Brendan's Way : It's love that you'll follow today if you dare follow Saint Brendan's Way! Rich maltiness, a hint sweet, dark and subtly smoky. This Scotch Ale uses no smoke malt, deriving it's smoke character from yeast only.
- Auntie Rostov : Imperial Stout with Rostov Hazelnut coffee beans, Saigon cinnamon, Tahitian vanilla and dark Virginia maple syrup
- Brandy Barrel Aged Dark Rye : Brandy Barrel Aged Dark Rye is a bigger, boozier variant of our standard Dark Rye. This American imperial stout takes on sweet, subtle brandy notes and an oak character from the Copper & Kings brandy barrels it was aged in. Rye spiciness and roasted notes come forward in both aroma and flavor. Full-bodied with a dry chocolaty finish, this beer pours deep black with a long-lasting tan head.
- Orange Swisher : Smoked malt is one of the more dubious tools in a brewer's bag because thresholds are vastly different. What to one palate is a hint of bacon or a whiff of BBQ to another is ashtray or Band-Aids. How can Carton ignore playing this game? Where can smoldering aromatics go off the beaten craft? In Orange Swisher we have reassembled the deconstructed aspects of a flavored blunt. Rich, dark malts rendered smoky by the addition of oak smoked pale wheat touched with orange zest and a heavy plug of the hops that smell like their cousins. Drink Orange Swisher and hand me down a 50-pack.
- Two Tortugas : It was 2011 when we first released Two Tortugas Belgian Quad as our holiday ale. It was supposed to be a one-time release for the holidays, but your feedback demanded otherwise. Six batches and numerous medals later, our Belgian Quad is back in all its original glory. Two Tortugas has aromas of dark fruit and caramel, with a slight hint of bubblegum from the Belgian Abbey yeast. This beer is robust and full-bodied with rich malty flavors of toffee, plums, and dates. Drink it now or lay it down – Two Tortugas’ journey is just getting started.
- Drunken Hippy : Dark English mild aged in Buffalo Trace barrels.
- Farmhouse Saison : This unmistakable farmhouse style has aromas of peach, pear and apple with a touch of sweetness and prominent carbonation. A light spice reminiscent of white pepper and ginger rounds out the fruity flavors, finishing with a pleasant snappiness.
- Rye Knot Brown : A full bodied dark brown ale. Intense malt character with a slight caramel sweetness. The chocolate and rye malts add to the rich roasted coffee notes.
- Upland Brewing / Jolly Pumpkin Permission Slip : Blend of two beers in equal amounts. First beer was a blonde wild ale aged on Persimmon in oak foudre. Second beer was a lambic-style aged on Dragonfruit in white oak barrels.
- Inner Eye : North American Pale Ale - More yeast forward than most interpretations of the style, Inner Eye Pale Ale features floral and citrusy hop aromas with tropical fruit esters from a unique strain of yeast.
- Peach Killah IPA : The recipe is reminiscent of our Hop Killah IPA recipe but with over 150lbs of local peaches from Free Spirit Farms up in Winters, California. This fruit infused IPA comes in at 6.7% ABV and 40 IBUs. Aromas of Citra Hops + Peach followed by the flavor of a classic American IPA.
- Oatmeal Stout : Smooth, roasty, dark beer with hints of coffee and chocolate.
- Brown Bearale : This sweet and chocolaty brew looks intimidating like the bears around Aspen, but finishes light enough to keep you thirsty for another. A popular brew among tourists and locals alike, whether you consider yourself a craft beer drinker or not. The Aspen area is full of black bears and many of them appear cinnamon brown. Before the brewery opened, a mother and her cubs took a liking to the dark and chocolate malts stored in Duncan’s garage and the name for this beer was born.
- Salt Spring Porter : Dark, full bodied and thick, with a toasty nutty flavour, our Salt Spring style dry porter is a perfect marriage of roasted barley, chocolate malt and hops". Noted beer reviewer Stephen Beaumont (the Oakland Tribune hails him as a "widely traveled beer journalist with impeccable taste") gave this brew 3 stars out of 4. If you like coffee or like chocolate, you will like this beer. The brewmasters have found that at festivals, women who say they don't drink beer love the stuff. It is a "sipping beer" with lots of flavour and is for savouring.
- Avalonia : Avalonia is our first barrel-aged, mixed-culture offering and a beer we hope is a great representation of where our barrel program is headed. The various threads of the blend were brewed last summer and aged over many months in white wine barrels. These base beers were created with no immediate “final product” in mind; instead the goal has been to build a portfolio of blending stock capable of creating complex but cohesive oak aged beers. With Avalonia, we found a beer with an expressive/funky nose, rounded but pronounced acidity and flavors reminiscent of dried apricot.
- Broomfield Brown Ale : A malty, nutty brown ale. The use of ale yeast gives a fruity flavour and enhances the dark malts.
- German Chocolate Cake Stout : German Chocolate Cake Stout is the latest release in our #pastrystout series, featuring recreations of some our favorite desserts. GCCS is an imperial milk stout brewed with lactose, toasted coconut, cacao nibs and pecans. Decidedly sweet, yet surprisingly drinkable, GCCS opens with a huge burst of rich coconut, lending way to caramel malt sweetness, dark and bittersweet chocolate and coffee from the cacao and chocolate malts, and just a hint of nuttiness from the pecans. Rich, decadent, creamy, flavorful and the perfect beer to cozy up to on a cold fall night.
- Stegmaier Winter Warmer : Traditionally known as Old World Ale, Stegmaier Winter Warmer boasts a brilliant, reddish-orange color and a full chewy body. It presents a robust malty, sweet and fruity aroma that attempts the senses. In using a blend of well-modified pale malts, along with judicious amounts of caramel and specialty character malts, Stegmaier Winter Warmer possesses a high malt character with luscious complexity and alcohol warmth, balanced with the traditional hop bitterness. Enjoy this flavorful offering in the company of your closest friends on a frosty winter night.
- Robust Porter : This hearty, mahogany colored ale is brewed to evoke the dark, full-bodied ales that were a favorite of dockworkers and warehousemen (hence the name “Porter”) in 19th century London. It is a good bet that when Dickens’ Mr. Pickwick sat down for a pint, we would have been drinking an ale much like our Robust Porter.This is a smooth and very drinkable beer, characterized by its well-balanced malt and hops, plus subtle notes of coffee and chocolate.
- Big Woody Barley Wine : Huge malt and intense fruitiness dominate. No expense is spared with the use of English floor malted barley. Aged in various oak barrels including Jim Beam and Napa Valley wine barrels for a minimum of one year. A true delight.
- Belgian Golden Ale : A golden, complex, effervescent ale with a sweet start and a crips dry finish. you will also pick up some pear notes.
- Single Hop APA (CTZ) : Our latest Single Hop brew using CTZ hops. An unfiltered Pale Ale with huge grapefruit notes, a hint of caramel malts and a good bittering balance.
- Violet Beauregarde : Fruity and snooty. Violet Beauregarde is a blueberry blonde that you can drink without fear of Oompa Loompas rolling you away. You found the golden ticket, get sassy!
- Boyl'r Mayk'r : A delicious corn-based beer that, thanks to its low original ABV and unassuming flavor profile, acted as a ‘yum-sponge’ grabbing everything available from barrel aging. Oak-y, bourbon-y and corn-y, this lil’ sucker retains its original crushability while adding the complex flavors of barrel aging. Aged 160 days in 18 year bourbon barrels.
- Hurricane : Here comes the story of Hurricane... Hurricane is a Double IPA featuring intense kettle and dry hop doses of primarily Simcoe & Citra hops! A pungent aroma of earthy citrus gives way to a beer rich with complexity, conjuring perceptions of papaya, melon, mandarin orange, and stone fruit. By applying years of focused brewing execution, we are able to craft Hurricane - a beer that is neither abrasive or harsh, and features tirelessly refined characteristics. We are welcoming this beer to the family as a proud example representing who we are as a brewery. It is the result of our uncompromising dedication to fresh, progressive, and pleasantly drinkable beer. We invite you to enjoy it with laughter, good cheer, and in the company of those you love.
- Experimental Hop Double IPA : Complex and resiny
- GPA (German Pale Ale) : A German style pale ale debatably does not exist in the craft beer industry. Until now. 3 Nations’ German Pale Ale (GPA) is our experiment turned calling card. We couldn’t be more proud of the way this beer’s enormous citrus, passion fruit, and lemony like aromas blend with a bitterness that gives it a recognizable finish. Plus, the well-rounded malt profile balances out the American hops. That’s right, we used American hops to brew this cross of a German Alt/Koelsch. It’s not blasphemy. Just a revised version of a traditional style, with a little greatness mixed in.
- Plum Rye Bock : Plum Rye Bock is a Rye Lager brewed with plums. Dark copper in color with beautiful clarity, this beer has an off-white head with aromas of bread, toffee, and plum. Upon first sip, you’re greeted with classic clean Bock flavors of malty caramel and light toffee. Light-medium bodied, the fruitiness of the plum flavors add a touch of tart sweetness with some spicy rye notes. Plum Rye Bock finishes smooth, crisp, and clean.
- Never Mind³ : Triple-fruited version of Never Mind.
- Scratch Beer 104 - 2013 (Triple Golden Ale) : The flavor of Scratch #104 originates in the unique Belgian Golden Ale yeast strain, which is fermented at a slightly higher temperature than normal for ale. Slightly fruity with a well-rounded mouthfeel and semi-dry, lingering bitter finish, this alluring Triple Golden Ale is steeped in the tradition of strong ales originally brewed in Belgium. The addition of cane sugar bolsters the alcohol considerably but adds plenty of sweetness to mask the significant alcohol content. Take heed! Scratch #104 is quite stealthy and smooth for a 9.1% ABV ale.
- Southside : Hoppy Wheat - Jerry’s interpretation of the modern American style hoppy wheat. Modern hops give it a tropical fruit nose with just a hint of earthy spice. The slightly hazy wheat body really allows those hops to shine.
- Passionfruit Gose : Our Passionfruit Gose is full-on, unfiltered goodness. We combine the tart sweetness of passionfruit with the unmistakably refreshing characteristics of a gose. 
- Black & Red : Black & Red is a velvety smooth, dry-minted stout with a serious fruit problem! The huge portion of heavily roasted grains brings a dry, chocolatey character that contrasts Black & Red's sweet, fruity, full body.
- Maximilian (Max) Imperial Stout : Originally brewed by English brewers in the late 1800′s for export to the royal court of the Russian Empire, imperial stouts were once the private beverage of the czars. Very dark, with big roast and dark malt flavors, significantly hopped for balance against a massively chewy full body, and with a warming strength that can melt away the chills of a harsh northern winter…these are the trademarks of an imperial stout. 
- Black Bear Stout : A rich, dark full bodied ale. Made with 4 different barleys and finished with 2 kinds of hops.
- Extra Special Red : Extra Special Red is our Imperial Red Ale, a crimson-hued brew full of juicy hop flavors and aromas of pine and stone fruit. After 6 months of aging in rye whiskey casks, it was roused from its oak cradle to the bottle in your hands. The barrels impart notes of sweet vanilla and soft tannins, while the hops settle into the background in favor of the strong malt foundation. Slainte!
- Get Down Wit It : That’s right folks, get down with some good old fashioned white ale this summer! It’s hot, and you deserve a crisp, fruity, spicy, herby, fluffy, tasty but not too overwhelming refreshment. Herbs from our farm, wheat from Camas Country Mill across the river, classic wit yeast from Belgium. Need we say more?
- Bourbon County Brand Barleywine Ale : Aged in the third-use barrels that were once home to Kentucky bourbon and then our renowned Bourbon County Stout, this traditional English-style barleywine possesses the subtlety of flavor that only comes from a barrel that’s gone through many seasons of ritual care. The intricacies of the previous barrel denizens – oak, charcoal, hints of tobacco and vanilla, and that signature bourbon heat – are all present in this beer. Hearty and complex, Bourbon County Brand Barleywine is a titan and a timeline; a bold, flavorful journey through the craft of barrel aging.
- Mestreechs Aajt (US - Non-Saccharin Version) : Blend of "Hollandish" Oud Brouin {around 3.5% alc/vol} , "Dortmunder" lager bockbier {around 6.5% alc/vol} and the "primeval" beer. The "primal" beer has been aged in traditional wooden barrels. It introduces lactobacilli, Brettanomyces and other microflora into the very complex blend.
- Thunder Canyon Tumbling Plumbleweed : Our plum ale, brewed with 630 lbs of fruit, is light and refreshing with a pink color and fruity aroma.
- Casco Bay Riptide Red Ale : Our flagship, this Irish-Style Red Ale proudly won a gold medal at the 2000 World Beer Cup. A combination of 5 different malts and 3 hop varietals, carefully blended, results in a perfect balance. Full-flavored and medium-bodied, the Riptide Red provides surprising complexity for such an easy-drinking brew.
- Golden Manatee Belipago : A delicious Belgian-style IPA, brewed with chestnuts, tapioca, sorghum, agave nectar and loads of the freshest hops money can buy. Fermented with two yeasts for a layered complexity, and dry hopped for a spicy mouthful of fun. Gluten free!
- Three Kings & A Wench : The first beer brewed on the Yergey system, this Imperial Stout starts with the aroma of dark chocolate and malt and finishes with a roasty bitterness that lingers on the tongue.
- Single Batch Series - Barleywine (2010) : Our Boldest beer ever at 60 IBUs, and by far our longest barrel-aging time. A blend of Old World Influence and modern day ingredients and technique. Domestic malt and wheat and distinctly American hops are used to produce this rich, full bodied ale, fermented with two different yeast strains. We barrel-aged this beer in charred oak bourbon barrels for over three months. The end result is this dark ruby colored ale with very intense aromatics.
- Time & Inclination : A golden West Coast-style pale ale exploding with American hop character, made from the same mash as our dark, rich, and malty 4th Year Beer Belgian-style quad.
- One Girl, Two Hops : An intensely hopped, yet still balanced and drinkable Double IPA. Equal amounts of Citra and Azacca showcase an intriguing, dank aroma, followed by bold grapefruit and tangerine notes.
- Victory At Sea - High West Barrel-Aged : We partnered with our friends at High West® Distillery to create a barrel-aged version of Ballast Point Victory at Sea, our award-winning Imperial Porter with cold-steeped coffee and vanilla. From a blend of Ballast Point Victory at Sea aged in High West’s own bourbon & rye whiskey oak casks, new layers of complexity emerge with notes of soft caramel and smoky oak over a dark chocolate and roasted almond body. High West crafts delicious and distinctive whiskeys to honor the American West, making it the perfect pairing with our signature San Diego-born porter.
- Irish Walker : A long slow fermentation and cold aging makes Irish Walker a well rounded, complex Barley Wine Ale. Released only once a year, it exhibits malty sweetness, fruity esters, and hoppy balance. This ale will age well for years to come.
- Parts Unknown : Smoked Shiitake Saison brewed with 100% Pilsner malt and healthy heaps of house apple wood smoked shiitake mushroom butts from our pals at Mycopolitan mushroom company out of Philadelphia. Fermented in our open top oak fermenters with our magikal saison culture. Dry, complex, and balanced. 
- Julius W/ Guava : Guava is emerging as the perfect fresh fruit accompaniment to our beer. With Julius, it reveals pineapple and papaya notes to layer the intense citrus characteristics of Julius. Julius w/Guava is immensely refreshing and pleasant to drink.
- Smoked Porter : A dark beer with a rich combination of malts. In the 18th century very popular with London’s working class, at the moment loved by brewers all over the world. Our perfectly smoked malts give this beer a hint of bacon while the roasted malts add a bit of sweetness.
- Pretty Boy Floyd Peach Wheat : A light-bodied wheat beer made with real peach puree. It is lightly hopped to let the fruit flavor come through.
- Rogue's Roost IPA : Brewed with toasty English malts, herbal and spicy UK hops, and English ale yeast, this well-balanced traditional IPA delivers a complex flavour that stands out from the pack. Just like history's legendary rogues.
- Auko : Sour Dark Ale aged 1 year in Cab Franc barrels with Raspberries, Sour Cherries and Cab Franc skins.
- Freedom From The Known : Saison brewed with red wheat and rye malt. Fermented in oak with our house microflora and then conditioned atop a blend of PA grown tart sweet cherries from @3springsfruit at a rate of 2 pounds per gallon of beer.
- Defenestrator Doppelbock : We threw the rules out the window with this American version of a classic German style. Brewed with Vienna and Munich malts and Crystal hops, this version is dry-hopped as well to give it a nice, fruity finish. If you like malt complexity and liquid bread - this is the beer for you.
- Really Pale Ale : A hazy blonde ale brewed with malted wheat. Its light body and bright, complex dry hop aromatics make it both highly refreshing and full of flavor. ABV: 5.5%, IBU: 35
- Weihenstephaner Korbinian : Our Korbinian, the full-bodied, dark Doppelbock with light brown foam, wins beer-lovers over with a balance of fruity hints of plums and figs, a dark malt aroma - reminiscent of toffee, nuts and chocolate. Its roasted flavour goes well with smoked meat and fish as well as venison and poultry. Brewed according to our centuries-old brewing tradition on the Weihenstephan hill.
- Nitro Armchair : A craft spin on an Irish stout with a luscious, roasty character derived from 4 different dark malts. English and American hops are balanced out with nitrogenation, making for a creamy delight.
- Malefactus : Malefactus is our Imperial Wheat Stout with brettanomyces. It is brewed to 11% ABV using abbey, debittered roasted & chocolate wheat malts. Stylistically it is a hybrid between a strong stout, Belgian’ quad & a dark wheat beer. The aroma is lightened by the use of coriander & black pepper. Primary fermentation takes 4 weeks & the it slowly matures in exhausted whiskey barrels for an additional 6 weeks.
- Quadrupel : A strong Belgian-style Abbey Ale 'quad' characterized by the immense presence of alcohol and balanced flavor, bitterness and aromas, with a color that is amber/rich chestnut/garnet brown, a complex fruity aroma & flavor reminiscent of raisins & dates.
- Nightshade : This American Stout is made with 7 different malts including wheat malted in the Pioneer Valley by Valley Malt. The dark malts add hints of chocolate and roasted coffee that are well balanced.
- Red IPA : A deep red American IPA that has a resinous hop aroma followed by a bit of spicy malt body from the crystal rye and a big grapefruit finish.
- Cherry Sour Devil : Issue #3 from our sour program features a kettle-soured version of our Dark Hollow that has been aged for four months in barrels inoculated with lactobacillus and brettanomyces and the addition of sweet cherries. This method of double-souring layers the flavors and provides a half-controlled / half-wild experience. The sweet cherries have fermented out, leaving a delicate aroma and cherry flavor that meld with the deep malt and sour overtones.
- Brooklyn Pilsner : Brooklyn Pilsner is a refreshing golden lager beer, brewed in the style favored by New York’s pre-prohibition brewers. In the 1840’s, the pilsner style emerged from central Europe to become the world’s most popular style of beer. Like its ancestors, Brooklyn Pilsner is traditionally brewed from the finest German two-row barley malts. German-grown Perle and Hallertauer hops provide a crisp, snappy bitterness and fresh, floral aroma. The flavor of the malt comes through in the finish. We ferment Brooklyn Pilsner at cool temperatures, and then give it a long, gentle maturation (lagering), which results in a beer of superior complexity and smoothness. We believe that you will find there to be none finer. Unlike mass-marketed so-called pilsners, Brooklyn Pilsner does not contain cheap fillers such as corn or rice, nor does it contain any preservatives or stabilizers. Brooklyn Pilsner is the real thing.
- Kilt Spinner : A malty beer aged on oak, this beer is complex and warm, like a hand made quilt. Two row base malt accentuated with Munich, Crystal 40, Carafa II a touch of Black Patent. Balanced with earthy Fuggle hops.
- Trouble's Braids : Our newest kettle soured beer was mashed with a mixture of German pilsner and wheat malts, inoculated with a Lactobacillus culture and allowed to develop acidity overnight in the kettle. Dry hopped liberally with New Zealand Rakau and US Apollo hops for fruity hops up front with a dry, tart finish.
- Tropical Reb Ale : Reb Ale with mango, passion fruit, papaya, and Coconut water. Dry hopped with Simcoe, Citra, and Sorachi Ace hops.
- Felis Paradox : Felis Paradox is a tropical dark ale, it's all oats and chocolate, with a crushing dose of ripe mango.
- No. 17 Honey Brown : A twist on Lb.’s Downtown American Brown buzzing with distinct nutty overtones and a touch of honey to draw out the flavorful chocolate and caramel malts.
- Coronado / Devils Backbone Devils Tale : An IPA collaboration with Virginia's award winning Devils Backbone Brewing Company. This beer has bright citrus and tropical fruit character care of Centennial and Mosaic hops, with a woody rusticity from the Northern Brewer hops.
- Hammer Jack - Peated Bourbon Barrel-Aged : Peated Bourbon Barrel Aged Hammer Jack is a Scotch Ale aged in Two James J Riddle peated bourbon barrels. Dark brown in color with an off white head, this beer has aromas of vanilla, caramel, toffee, marshmallow, and smoke. Oak and prominent vanilla flavors from the barrels shine though from the J Riddle barrels. Accompanied by a silky smooth mouthfeel, the beer produces a slight warming sensation. As the beer warms, traces of smoked malt begin to appear
- Belgian Dubbel : The Belgian Dubbel is a rich malty beer with some spicy / phenolic and mild alcoholic characteristics. Not as much fruitiness as the Belgian Strong Dark Ale but some dark fruit aromas and flavors may be present. Mild hop bitterness with no lingering hop flavors. It may show traits of a steely caramel flavor from the use of crystal malt or dark candy sugar. Look for a medium to full body with an expressive carbonation.
- 22nd Anniversary Dark American Sour : An expert blend of bold character, this Dark American Sour is a perfect culmination of 22 years of craft and ingenuity. Aged in red wine barrels, this robust offering is as sophisticated as it is sour. Notes of black cherry jam and tobacco are countered by a welcome tartness and tannic oak finish that lasts long after each sip, making 22nd Anniversary a beer you won’t soon forget.
- Lakeland Gold : Golden Ale. Hoppy and uncompromisingly bitter with complex fruit flavours from the blending of a modern English hop, First Gold, with the outrageously fruity American hop, Cascade.
- Church-Key Holy Smoke Scotch Ale :  This unique beer was made as a connection with John and his Celtic family heritage. Ne Oublie, is the Graham Clan ancient family motto, indeed all that have tasted Holy Smoke can say that this Beer will never be forgotten. The Graham clan tartan is also used on the packaging. Holy Smoke Scotch Ale is a dark, strong ale that uniquely utilizes Scottish imported peat-smoked whisky malt, it is smooth, rich and malty, dominated by these peat roasted smokey notes.
- Spin Cycle #11 : This edition of the Spin Cycle series is loaded up with Citra, Ekuanot, and Motueka hops. Aromas of citrus and tropical fruit, with a clean resinous taste.
- Yuengling Dark Brewed Porter : Yuengling Dark Brewed Porter is an original specialty beer that has been brewed expressly for tavern owners and family trade since 1829. We are proud to be recognized as one of the largest porter producers in the US. An authentic craft-style beer, our Porter calls for a generous portion of caramel and dark roasted malts, which deliver a rich full-bodied flavor and creamy taste with slight tones of chocolate evident in every sip. It pours dark, topped with a thick foamy head, and imparts a faint malty aroma. This smooth and robust Porter has a unique character that complements any meal from steak or seafood to chocolate desserts. Yuengling Dark Brewed Porter is enjoyed by even the most discerning consumer for its flawless taste and unwavering quality.
- Icarus : Icarus is an Imperial Blonde Ale, dry hopped with Simcoe and Centennial hops. Crisp and Clean with a touch of sweetness, Icarus is easy to drink with notes of stone and tropical fruits.
- Mountain Candy : Hop-bursted with high-alpha, resinous varietals, then double dry-hopped, this medal-winning, aromatic IPA is big on juicy flavors of stone fruit and Lifesavers candy, with notes of citrusy dankness.
- Idaho 7 IPL : The newest edition in our Single Hop IPL family: Idaho 7. Hopped with heaps of this oily beast and fermented with our house lager yeast, this beer emits massively dank and fruity aromas. Papaya, red grapefruit, and resin are found throughout with hints of black tea.
- Schuylkill River Swankey (2018) : An English dark mild conditioned on a small amount of anise hyssop grown up the street by Tine & Toil Farm. Its easy, light and creamy, with a very light anise touch.
- Matilda Lambicus : Golden copper color, fruit and baking spice aroma, spicy tart flavor, very dry body.
- Kuhnhenn Todd Parker Can't Lose : Creamy copper in color, the ale has distinct Belgian aromas. Moderately spicy with orange-like fruitiness, this medium-bodied beer is refreshing, light, and beautiful on a summer day.
- Dunkel Weizen : A darker style wheat beer with unique a banana bread character”Similar to a Hefeweizen, these southern Germany wheat beers are brewed as darker versions (Dunkel means “dark”) with deliciously complex malts and a low balancing bitterness. The color is a cloudy (unfiltered) medium brown with the usual clove and fruity (banana) character, which comes directly from the yeast.”
- Passion Foeder : We took 18 month old Foeder Gold and refermented it hundreds of pounds of passion fruit. This batch is member-only. We love it, so we'll probably do more down the road.
- Saison Voila : A traditional Saison, lightly golden in color with lively carbonation. A wonderful nose of white pepper, spice, and fruity esters transitions to a husky, rustic, slightly grainy flavor which melds nicely with the fruity, peppery notes before drifting to a pleasant dryness.
- Malocchio's Bane : Malocchio, or the Italian "evil eye", was said to cause injury or bad luck to any unfortunate enough to incur it. The wielder of the eye had high arching brows and a stark stare leaping from dark eyes, and folklore said the only remedy was to bathe in beer and burn sage for protection. Sixpoint's own Brewer/Wise Sage Danny Bruckert has melded the two antidotes together into a sage infused IPA that's both delicious and auspicious. Note: sample size restrictions still apply, so no beer baths. 6.5% ABV
- Harry Girls Ale : Saison style, made with darker richer malts, hearty tasting ale.
- Terroir : Sour ale style beer aged in red wine cask with 30 kg of Graciano grapes. Made with Pils malt and aged hops. Reddish in color and light in body, with persistent white foam, slightly sparkling. Aroma of fruits with a recollection of wine.
- DryHop / Motor Row Multigrain Zwickel : With rye, wheat, and flaked oats, this brew is a creamy and fruity unfiltered lager with a balanced bitterness and clean finish. If only we had a Holzfass…Prost!
- Dark Star Lager : A dark German lager that balances roasted yet smooth malt flavors with moderate hop bitterness. This beer is a regional specialty from southern Thuringen and northern Franconia in Germany.
- Curiosity Nine : We’re excited to present the ninth beer in our journey exploring and discovering the delights of various hop varieties, combinations, and their respective interplay with ingredients and brewing approaches. Nine strongly features the Mosaic, a hop that has quickly gained notoriety in the brewing community for its appealing properties. This is only our second time brewing with Mosaic, and man, are we blown away by it. We taste and smell one of the most potent melanges of tropical fruit of any beer we’ve brewed! There’s mango, papaya, guava, juicy fruit…. dank citrus… ? ...all tied together by a velvety soft and dry malt backbone. A fun beer all around, and one that we say is the most distinct Curiosity to date!
- Plum Bretta : Plum Bretta starts as a golden farmhouse ale added into red wine barrels inoculated with Brettanomyces Bruxellensis. In late summer we’ll pick, rinse and puree local Italian Plums and add this to the beer for approximately 5 weeks. The result is a tart, light purple beer with a complex nose and fruity flavor with likely contribution from wild yeast living on the plum skins.
- Vapor Wave : Vapor Wave is an experimental IPA brewed with acidified malt which adds a nice tart acidity and sea salt to give it a complex flavour profile that is both balanced and refreshing. It was then triple dry hopped with Citra, Lemon Drop and Motueka hops giving it a big citrusy hop punch that reminds you that that beer you’re crushing is actually an IPA.
- Double Vision Doppelbock : Our Double Vision Doppelbock is brewed with Idaho 2-Row Pale and German Munich, CaraAroma, CaraMunich and de-husked Carafa malts to an original gravity of 24 Plato (1.096 SG). The malts provide a dark leather color with ruby notes, a luxurious tan head, and a bready aroma with a hint of smoke. It is lightly spiced with Liberty hops, an American version of the noble German Hallertau Mittelfruh, and fermented with lager yeast from a monastery brewery near Munich. In the traditional manner, Double Vision is fermented cold (48 F) and lagered a full 10 weeks for smoothness. At over 8% alcohol by volume, it is a deceptively drinkable springtime warmer.
- Basil Farmhouse Ale : This is The Farm Brewery's signature Farmhouse Ale fermented with our own house yeast strain from right off the farm. It has s a light bodied beer with the refreshing aroma of basil and a touch of watermelon on the back of the palate. The fruitiness of the yeast makes this an exceptional choice for a great summer beer.
- Rotor Wash IRA : A hop-forward ale with lingering hop bitterness. Dark amber in color, full-bodied, hoppy India Red Ale with CTZ, Cascade, and Mosaic hops.
- Brunneis : Brunneis is our blended Oud Bruin. Blend #1 was matured in 5 different barrels that used to hold whiskies as well as zinfandel & fortified wines. It is deep brown in color with a touch of carbonation. Reminiscent of dark fruits & raisins it has a balance between acidity & maltiness that are enhanced by a slight smokiness on the nose.
- Beekeeper Honey Wheat : Beekeeper Honey Wheat exhibits the best characteristics of honey sweetness, floral nose, fruity flavors, a hint of clove, with a light body. Brewed with wildflower honey, Gizmo Brew Works’ honey wheat beer is a nod to the beekeeping profession. Due to popular demand, this once summer favorite is now available year round.
- 1st Anniversary Wine Barrel Aged Wheatwine : What a year it has been! Our thanks go out to everyone who helped us get Bainbridge Island Brewing up and running, and to all our loyal fans, who made this such a great year. In celebration of our first year we brewed an enormous Wheatwine ale, then aged it in Cabernet Sauvignon barrels procured from our neighbor, Osprey Point Winery. The result is an eruption of fruit, red wine, perfumy hop aromas, smooth wheat, warming alcohol, oak and vanilla. At 11.5% ABV it'll age with the best of them, just as we intend to. A toast to the coming year, cheers!
- Chocolate Sombrero : Roasted dark malts plus extra chocolate malts plus ancho chile plus cinnamon plus organic vanilla extract plus a chocolate eating, beer drinking, Clown Shoes wearing, multi limbed, gorgeous and glorious Mexican wrestler on the label. That’s the recipe for a Chocolate Sombrero!
- Basic B : Basic B is an experimental Pumpkin Latte Stout brewed with vanilla, pumpkin pie spices, espresso beans, milk sugar, and real pumpkin. Big fragrant aromas of nutmeg, allspice, and dark chocolate rise from this medium bodied black ale. Rich flavors of brown sugar and bitter coffee lead into a creamy palate coating sweetness with a complex spiciness throughout.
- Hunky Dory Pale Ale : A bright, crisp and refreshing pale ale reminiscent of a South Shore summer’s day. Made with citrus zest and green tea to complement a floral and fruity hop blend. Hunky Dory is a favourite among discerning women and confident men.
- Risen : A collaboration with Surly Brewing Company: Risen (8.4% ABV; 50 IBU) a coffee and oak, double brown ale. This lavish brown ale was brewed with over 100 pounds of locally roasted coffee and was rested on oak for a toasted finish with extra complexity.
- Oatmeal Stout : It's a bold, smooth-bodied concoction that oozes dark-roasted coffee aromas and flavors of espresso and semi-sweet chocolate. We round out these heady pleasures with a dose of flaked oatmeal for a creamy body and a semi-dry finish. Unforgettable.
- Flatirons Vista Wit : A light, crisp Witbier brewed with White Nectarines, inspired by fruit discovered on the Flatirons Vista Trail in Boulder.
- Heavy Boots Of Lead : Super complex richness of mega-chocolate, roast, vanilla and coffee in an astonishly smooth monster of a brew.
- Old Horizontal : Massive amounts of barley malts, combined with fresh harvest American hops make it aromatic and spicy on the nose. Floral, fruity aromas slide into honeyed malt depth with lingering sensations of candied and citrus fruit. Late warming alcohol brings all of these flavors into wonderful harmony to finish.
- India Pale Ale : If you like hop aroma, flavor, and a clean – crisp – balanced bitterness, you will love this beer. Our special double dry hopping regime takes place in the aging tank as well as the serving tank. Simcoe and Amarillo hops render incredible floral and citrus aromas. Special English floor malted barley provides the backbone necessary to round out this fruity, unfiltered, session-like IPA.
- Elaborative #3 : Brewed March 2014 with our friend Brad Clark of Jackie O’s Pub & Brewery, we crafted this imperial stout with Rapadura, a traditional unrefined cane sugar, then aged it for 20 months in a variety of bourbon barrels. A carefully selected blend of barrels results in a unique, luxurious and complex beer, one that represents the deep, abiding friendship that guided its creation. Best served between 50 and 55 F.
- Holly Leaf Somewhereness : The first beer released in our series of parking lot fermentation explorations with our buddies from Monkish. This saison features cultures from both breweries and was fermented in neutral oak barrels in our parking lot in Highland Park. We added about 1 lb per gallon of the locally discovered and native fruit called Holly Leaf Cherry. This fruit has a wonderfully thick and tannic skin that lends incredible flavors of cherry, leather, and plum. In addition to the fruit qualities the base beer has great integrated flavors of lemon, grapefruit, and musty wood.
- dHop 7 : dHop7 is a blend of FIVE different hops that showcases Vic Secret, a first for the series. This flavor profile exudes guava, papaya and lime with faint notes of pine. It pours an opaque yellow with a nose reminiscent of tropical fruits and citrus. The taste is dank and tropical with an assertive hop bitterness.
- Pourison : Our oak fermented Saison conditioned atop heavy amounts of fresh Pennsylvania peaches grown by our pals at @3springsfruit for many months.
- Nobody Loves Me : Jam packed with citrus, melon, and tropical fruit notes. A simple grain bill of our favorite English malt and Flaked Wheat allows the hops to shine through with full force. Hopped with Citra, El Dorado, Melba, and Blanc.
- Cernunnos : Scotch Ales, not to be confused with the smaller “Scottish Ales”, are rich and intensely malty. Ours is full bodied and sweet, yet has a smooth clean finish from a cooler fermentation temperature than most of our ales. An extra long boil and kettle carmelization yields a darker color, a deeper malt intricacy and roasted character.
- Queen Of The Mist (Mango) : The Salty Lady spends a few months in wine-barrels with various fruits. The result is an amazingly complex, tart, salty, fruity, and refreshing treat. What comes out of the barrel is a little more refined and adventurous and is known as The Queen of the Mist. This occasional brew will only be release a few times per year in a very limited batch.We’ll use a different fruit each time we make it.
- The Famous Flying Zacchinis : This is a Dark Farmhouse ale that was fermented 100% in the foeder before being aged in Apple Brandy barrels with wild yeast for a year, prior to being conditioned in the bottle on Brettanomyces.
- Made You Look : Pours hazy yellow with white head. Green papaya piney aromas with juicy fruit taste and a clean bright finish. Brewed with Marris Otter and Wheat. Fermented with American Ale yeast, hopped with Chinook, Centennial and dry hopped with Centennial and Citra and Citra again. We’re talking about a tremendous amount of hops here. Biggly crushable.
- Dragonmead Dragon Daze Hemp Ale : Dragonmead's Hemp ale has a great deal of malt character, in part, from the Chocolate Malt used in the brew. The Cascade hops give this beer a clean hop finish, but it's the roasted hemp seed that makes the flavor remarkable. Slightly roasty and nutty, Dragon Daze's complexity is sure to amuse.
- Trippel : Our Trippel has always been a big, beautiful Belgian-style ale, but in 2015, we tweaked the recipe to include a new yeast variety and even more complex malt profile. This golden beer opens with a bold blast of spicy Noble hops, courtesy of Saaz and Hallertau Mittlefruh, and gives way to the fruity aromas offered by our traditional Belgian yeast. Brewed with Pilsner and Munich malts, Trippel is classically smooth and complex, and sings with a high-note of sweet citrus before a pleasantly dry finish delivers a warm, strong boozy bite. Give Trippel a sip to get you smiling.
- Riding With The Ghost : Riding With The Ghost is a Pilsner IPA brewed with Pilsner malts and Oats. Hopped in the kettle with Loral and heaps of Columbus. Dry hopped aggressively with Amarillo and Citra. Notes of Grapefruit Pith, Dank Green Leaves, Spicy Mango and Sticky Pine needles.
- Imperial Java Stout : This is the kind of beer that gives the word "stout" a reputation. Extra generous quantities of barley malt, followed by vigorous fermentation leaves this "imperial" heavy weight with 8% alcohol A.B.V. and a body as full as chocolate bread pudding. A complimentary and complex array of bitter notes comes form potent American hops, earthy British hops, black-roasted malts and, of course, coffee. Santa Fe Brewing Company uses only top-quality ingredients like organically grown East Timor coffee beans blended with New Guinea coffee beans, locally roasted by O'hori's Coffee House. Its heavenly flavor and aroma can't be beat or imitated.
- Chump Change : An Imperial Black Saison. Brewed with highly kilned and roasted malts, this beer is black in color. The moderate roast flavor and slight to non-existent hop presence accent the beer’s fruity and spicy characteristics, akin to those of a traditional saison.
- Double Shot - Dark Chocolate : Here we have one of the more subtle additions to the special Double Shot line-up. Dark chocolate is subtle on the nose but presents in the flavor with an intense and bitter finish that has notes of cherry, cacao, and dutch process cocoa powder. A real treat, and one we recommend trying before the sweeter of the Double Shots in this line-up.
- Full Curl Wee Heavy Scotch Style Ale : Full Curl Scotch Ale is brewed in the traditional Wee Heavy Scotch strong ale style. (This is not to be confused with the lighter-bodied Scottish ale style.) All about malt, Full Curl pours dark brown with a tan head. Its medium body provides sustenance while its strength boosts courage. With a stiff mug of Full Curl under your belt, you may even have what it takes to don a kilt.
- Mammoth Extra Stout : Dark and full-bodied, Mammoth Extra Stout provides a cozy blanket of warm and fuzzy flavors, including chocolate, caramel, coffee and nut. Huge portions of pale and specialty malts give this mammoth brew a complex palate while hops provide well-rounded balance. 
- Prince William's Porter : Every adventure must end with an award. Dark, rich, full bodied and lightly dry-hopped, our porter will have you running for the pub when the first cloud appears.
- Raspberry Wheat : A pink-hued, cloudy ale that will refresh your palette in the summer. But don't wait for summer in Alaska to try this great fruit ale.
- London Porter : Porter is the oldest commercially brewed style. Dark, dry and mellow with some hop characteristics, it was the favourite tipple of London’s porters. London Porter pours a deep brown colour with reddish tints, and the aroma is toasty, with a hint of sweetness and some earthy hop notes. Firm-bodied, but not heavy, with a creamy texture, the dryish palate is full of roasted malt, coffeeish notes and a sustained bitterness.
- Alien Einstein : Alien Einstein is a light bodied India Pale Lager with a dull golden color and an inviting aroma of tangy grapefruit juice. A bright burst of fruity and earthy hop flavors immediately hits the palate. This beer exemplifies the well-rounded versatility of the American Mosaic hops used exclusively in this beer.
- Otter Creek Citra Mantra : Our spring seasonal offering brewed with 100 percent positive vibrations and single-hopped with Citra hops. The presence of the Citra hop is elevated by a clean fermenting lager yeast that allows the subtle Pilsner, Munich and Vienna malts to lay a crisp, bready foundation. The citrus and tropical fruit character of the Citra hop comes from kettle additions followed by a huge dose of ‘em again in the fermenter.
- Hoppenstance : Our days are filled with encounters of chance. Random occasions so simple yet paramount help to define our lives within a heartbeat. Often, we become so consumed in the moment, we fail to realize the powerful events that change us. Hoppenstance - an American Double India Pale Ale that was crafted to be complex, just like the little happenings that brought us here. So, sit with each other, drink together, and remember that these extraordinary moments are destined from happenstance.
- Einbecker Dunkel : The fine selection of special dark barley malts gives Einbecker its strong character and mild malt flavor.
- Nuckin Futs : This English Brown Ale has a rich nutty flavor, sweetened with fresh local honey, and balanced with a spicy hop note. It’s very smooth and enjoyable. “You gotta be Nuckin’ Futs not to try it!”
- Double Milkshake IPA - Tangerine Dream : Tangerine Dream Double Milkshake IPA is our latest heavily amplified psychedelic riff on THE boundary-pushing Culinary IPA series. Brewed with gobs of oats and lactose sugar. Conditioned atop double the amount of luscious Madagascar vanilla beans and fresh and pungent mixed citrus purée (kalamansi, grapefruit, and Mandarin orange). Intensely hopped and then double dry hopped with Mosaic and Citra. Big notes of comforting orange creamsicle, sticky icky marshmallow, fresh pressed grapefruit juice, calamansi daydreams, and melty blueberry sorbetto.
- Argonaut Collection: Flying Cloud San Francisco Stout : A Dublin-style brew made with English Maris Otter pale malt, two black malts, and flaked barley. Nugget and Golding hops provide a spicy, floral complement to the deep, dark-chocolaty maltiness and dry finish.
- Belhaven Scottish Ale : Our signature Scottish Ale is the beer we've brewed the longest and is our best-selling bottle world-wide. We brew it from 100% Scottish Optic and Crystal barley malts for a nutty, biscuit character, balanced with a subtle spiciness from Challenger and Goldings hops for an all-around satisfying beer. 
- London Funk : An unusual take on an English style Robust Porter. Chocolate, coffee and soft toffee notes round out this medium bodied dark ale fermented with a Belgian yeast strain giving a slight Belgian funk.
- Hangman Pale Ale : Rocks Pale Ale is an American Style Pale Ale. Made with American Ale yeast, this extremely flavoursome beer pours a deep gold colour with a tight white head. With big citrus and stone fruit aromas on the nose, the beer is supported with a firm bitterness, solid malt backbone and zingy hop flavour from a mix of cascade and liberty hops thrown late into the kettle. This beer is balanced by using Munich and caramel pils malt to give a full bodied taste lasting. Rocks Pale Ale showcases the best of malt and hop flavours made available to brewers.
- Jake's Big Honey Saison : Saisons were originally rustic farm house brewed beers using the available grains and ingredients from the farm itself to provide a refreshing beverage for the tired workers. They have gradually evolved to higher alcohol levels as well as being lightly spiced in addition to the natural fruit and spice character from the yeast. We intended to add a smaller amount of local honey to add some character as well as increase the potential alcohol, esters and flavors while finishing with a lighter body than an all malt brew of similar strength. Jake, the assistant brewer, misunderstood and added a full pail to our pilot brewery’s kettle.
- Doppelbock : Dark & rich with a big beer taste, Doppelbock is an exceptionally smooth, full-bodied dark lager with a bold character that is sure to brighten your spirits.
- Propeller Pilsener : Pilsner is a style of lager that originated in Plzen (pronounced Pilsen), Czechoslovakia in 1842. Prior to that time, most beers were made with top-fermenting yeast and were dark in colour and somewhat hazy. In 1842, an innovative Czech Brewery used a ground-breaking technique of methodical bottom fermenting with a new strain of yeast. The resulting brew, Pilsner, was a refreshing golden and bright beer that has now been adopted by breweries all over the world.
- Detritivore : Detritivore was made by adding the same cherries that were used to make Montmorency vs. Balaton to fresh beer in stainless steel and allowing the combined beer and fruit to referment to dryness. This was the same technique that we originally used to make La Vie en Rose with the raspberries from Atrial Rubicite. As with La Vie en Rose, the second refermentation of the fruit results in subtler, more delicate flavors, as compared with the more intense flavors that result from the initial refermentation.
- Germaniac (Kotbusser Style Pale Ale) : Scratch the surface of the German beer tradition and you find gems like this: a crisply bitter golden ale from Northern Germany that faded into obscurity a hundred years ago. With its subtle honey notes and small dose of molasses which gives it a lightly nutty character, this is a beer that deserves a much wider audience. We follow the classic recipe, with a mix of three types of malted barley, plus wheat and a dash of oats for a creamy texture, plus tiny amounts of Wisconsin cranberry honey and light molasses, both of which add subtle shading of aroma. Hopping is vigorous, and along noble lines, but amped up a bit with some North American varieties as well, just to keep it fresh-tasting and bold. It’s an ale fermentation, so there is a hint of fruitiness that plays nicely with the honey and molasses notes.
- Brotherton Imperial Oatmeal Porter : Brotherton Imperial Oatmeal porter infuses exceptional smoothness and richness into a traditional Porter. Heavy-handed oat additions to the grist create velvety richness and beautiful subtle sweetness in the malt character of this beer. Smooth, deep, rich with notes of roasted chocolate, complex toasted malts with a slight dark fruit character in the finish.
- Ta Plus Meilleure : IIPA brewed with passion fruit and hopped with Citra and El Dorado.
- Big Rusty Irish Ale : A malt-forward beer with a smooth dry finish. The complex malt flavors mixed with just a hint of hops gives this Irish Amber a great flavor you can savor all night long.
- Equinox Harvest Ale : This food friendly beer was brewed to welcome in the fall. We utilized Cindarella Pumpkins, Red Kuri Squash and Coastal Sage from Suzie’s Farm to create a beer that will pair well with a wide range of dishes. The sage plays well with the hop bitterness over a lightly fruity and toasty malt background.
- C-3 Rye CDA : This black IPA is what hop heads will be reaching for during the winter months. Weighing in at a hefty 7.8% ABV and 80 IBU's. This CDA is not for the dainty drinker. Come to the Dark Side...
- White Birch Barrel Aged Night Falls : Night falls and all is black. Dark malts, hints of oak and a wild undercurrent. A soft wild side and smooth finish. Invite the night.
- Answers In the Cosmos : Sometimes the answers are right in front of us, but sometimes they are suspended just out of reach in a dark unknown. This NEIPA settles somewhere between hazy and juicy, with bright notes of passionfruit and citrus. Dry-hopped with galaxy, this beer will land you amidst the answers everyone is looking for, until you’re willed to come back down.
- New Minglewood Wheat : Our American Style Wheat is a beer with a light, crisp body, balanced by delicate flavors and aromas from the American-style yeast. The pilsner and wheat malt combine for a light golden body with a touch of Vienna malt to add complexity to the finish. American C-type hops provide subtle citrus flavors to the finish.
- Duet : Brewed with Local 44. Duet is a 5% abv Belgian style golden clocking in at 64 IBUS of all noble hops. Primary fermentation is the Ardennes yeast that made gnomes famous around the globe with secondary fermentation executed by a Drie Fonteinen Brett strain. The result is a golden ale of uncompromising complexity that is the perfect session beer.
- Fruity Pooty : Fruity Pooty, a fruit bomb of exotic hops in yo face, is a double IPA with a heavy dose of Munich malt and flaked wheat balanced out with Chinook, Amarillo, and El Dorado hops. We tossed in a Galaxy dry-hop, too. The Brett house strain emphasizes the citrus notes from the hops, and the 10% ABV adds a nice punch on the tail end of each sip.
- Chip, Chap, Chop : Hibiscus and Grapefruit Saison
- Scratch Beer 157 - 2014 (Fest Lager) : Autumn is an insanely popular season for beer releases. Perhaps the most famous, long-standing fall beer style of all is the Märzenbier, or more commonly known simply as “Festbier.” To commemorate the annual German tradition of Oktoberfest, we once again offer our take on this classic German style. With origins dating back to 16th century Bavaria, the original Märzen style was touted as “dark brown, full-bodied, and bitter.” Typically brewed during the warmer spring months, the beer was often stored in cellars before finally being served during Oktoberfest. Boasting a notable hop presence, Scratch #157 displays moderate bitterness while still maintaining the classic malt character you’ve come to expect from a traditional Festbier. Prost!
- Hop Dish IPA : Aggressively hoped IPA with aromas of citrus, fruit, pine. a subtle malt sweetness and notes of caramel.
- Bayern Bakken Bock : The number of fans and friends of Bayern Brewing has steadily been increasing out in Eastern Montana. Bayern Brewing wanted to recognize the hard-working folks who are "Rockin’ the Bakken" by honoring them with our own black gold, a German Dark Doppelbock called "Bakken Bock." Bayern Brewing has been brewing authentic Bavarian beers like its award-winning Doppelbock for over 20 years. Bakken Bock is a lager, so it is smooth and does not have the rough bite and/or aftertaste of other dark beers such as stouts or porters. It is also moderately-hopped with German Hallertauer Perle and Czech Saaz hops, so it is a well-balanced treat after a hard day on the oil fields. Of course, with a starting gravity of 18+ degrees Plato and an 8.4% ABV, it means you really ought to heed that warning about no operating heavy machinery after drinking Bakken Bock.
- Framzwartje : Framzwartje is a very special project here at Funk Factory and may be the best beer we've ever had the chance to make. The project started when Forager Brewing told us they had managed to pick 80 lbs of wild blackcap raspberries. There is no commercial source for these berries. You literally have to forage them from the woods, and it take a lot of dedication to make up 80 lbs of these incredibly tiny berries. Our fruiting rate is 2lbs/gallon, so we hand selected a single barrel for this beer. The barrel we chose was an 18 month old Methode Lambic barrel.
- Bully! Porter : The intense flavors of dark-roasted malt in Boulevard’s rendition of the classic English porter are perfectly balanced by a generous and complex hop character. Bully! Porter’s robust nature makes it the ideal companion to a variety of foods, from seafood to chocolate.
- Dunkel Weizenbock : A darker, stronger version of a hefeweizen. Unfiltered, with all the same fruity flavors of banana and spicy clove and slight tartness, plus a malty caramel sweetness and an extra kick. Pair with acidic dishes like fish with lemon caper sauce or with caramel deserts. Serve garnished with a lemon if you must.
- Prodigal Ale : A dark black ale in the Porter style, though slightly less malty and with a crisp, roasted finish. Welcome home, wayward one.
- The Albatross : Dark sepia color, spicy whiskey aroma, bitter chocolate flavor, medium-rich body.
- Bootleg Blonde : Clean and refreshing with a fine balance between malt and hops. This blonde ale lets the delicate complexities of beer shine through.
- Coffee Is Life : Barrels, barley and beans. Our three favorite elements join forces to help carry the banner for the resurgent barleywine movement. This rich, malt-forward, barrel-aged barleywine-style ale spent part of its life with freshly roasted coffee beans, from our friends at Dark Horse Coffee Roasters, added directly into the bourbon barrels. The final combination, featuring nuances of caramel, vanilla, toasted coconut, mocha notes and oak, is now ready for you and whatever life throws your way.
- Valleyview Vanilla Porter : Is it a beer or dessert? A pleasant vanilla bean aroma beckons even the timid palate to sample this decadent porter. Dark roasted grains and substantial hopping add coffee notes and additional complexity across the palate. A slight raisiny and dark fruit character in the background help tame some of the bitterness and guides the beer into a long lasting roasted vanilla finish.
- Bitter Chris : Single Hop Pale Ale, classically hopped with Columbus. Resinous, grapefruit, and assertive.
- Moeder Series: Hiver Joie : A Dark Strong brewed with cranberries, plums, coriander, and dried orange peel, then finished with our house proprietary brettanomyces and barrel-aged.
- Opal IPA : Opal is a New England style, unfiltered IPA with an addition of flaked oats in the grain bill. It has a light malt profile but sturdy body from the added oats. Chinook, Centennial, and Simcoe hops create a hop-forward beer with notes of tropical fruit, peach, and a floral nose with a strong bitter finish.
- Brush : Brush is our witch crafted imperial stout in collaboration with Omnipollo. This dark, rich, full bodied ale is brewed with marshmallow, vanilla bean, cocoa nib, hazelnut coffee, and ancho chilis.
- Deer Abbey : Belgian yeast always produces unique flavors and this beer is no exception. Dominated by rich, malty characteristics this Belgian Brown Ale also features hints of dried fruit, toffee, and even some lingering Belgian yeast flavors. Nothing was typical about this beer’s creation and we’re sure you’ll find it interesting as well.
- Terrapin Poivre Potion : Traditional beers with a twist on their style has been a Terrapin ritual since the beginning. In keeping up with tradition, our 2015 employee beer “Poivre Potion” Dry Hopped Imperial Pink Peppercorn Saison, fits the bill. Brewed with pink peppercorns for a complex spice, and dry hopped for some extra aroma, this multifaceted beer will keep you guessing on which flavor comes next.
- Chupacabra Quinceañera : Chupacabra Quinceañera is a refreshing 100% Brett-fermented blonde beer bursting with clean tropical aroma from the unique brett strain used for fermentation. These notes are complemented with the subtle use of Simcoe and Amarillo hops, which add layers of tangerine and passionfruit. It's quite the party.
- Unkel Dunkel Dunkelweizen : Similar to a Hefeweizen, these southern Germany wheat beers are brewed as darker versions (Dunkel means "dark") with deliciously complex malts and a low balancing bitterness. Most are brown and murky (from the yeast). The usual clove and fruity (banana) characters will be present, some may even taste like banana bread.
- Scratch Beer 125 - 2013 (Cranberry Porter) : The cranberry is one of only three fruits that can trace its roots back to North American soil. Although its growing season begins in September, the cranberry is most associated with the winter season, especially around the holidays. Since this little red berry resonates with so many people during this time of year, naturally we thought, “Why not brew a cranberry beer?” Typically, cranberries are viewed as too bitter and sour to eat raw. However, this magic ingredient lends a pleasant tart, fruity finish and complements the roasty character of this robust porter, giving Scratch #125 a simple yet festive charm.
- Juneberry Jam : Made with 88 pounds of juneberries! Our beer pours a purple hue with a light head. A fruit forward juneberry flavor with a light grain aftertaste for a great summer taste.
- Scratch Beer 126 - 2013 (IPA) : Although we’re in the midst of the cold and flu season, our minds have turned to the warmer weather of the Southern Hemisphere. But even more so than the climate “down under,” we’re most excited about the bounty of Galaxy hops that have turned up at the brewery. At Tröegs, we can’t help thinking tropical! With an invigorating aroma and versatile flavor profile, Galaxy hops release a palate of tropical fruit diversity. As winter looms in the not-so-distant future, why not ponder a light tropical breeze rather than frostbite? Scratch #126 will overwhelm your taste buds with the ripe succulence of peach, passionfruit, lemon-lime, papaya, pineapple, and mango.
- Galactic Tangerine : A double dry-hopped DIPA brewed with Galaxy and Motueka hops. All Southern Hemisphere hops, a yeast blend that exudes tropical fruit characteristics, and tangerine juice makes for a juicy, smooth brew perfect for warp speed.
- Ceresia : Latin for "cherry," Ceresia is a red sour ale aged on that most decadent of fruits. Featuring a playfully tart body, this ale adds sharp, sweet, and sugary notes from its aging process with cherries. Sour connoisseurs will immediately appreciate Ceresia's tart character, while newcomers will be welcomed in by its fruity balance. Ceresia is a field in full bloom, bearing fruits to celebrate the season's bounty.
- Cuveè Batch 001 : The Cuvee series consists of individual barrels selected by the brewery that have been aging a minimum of 1 Year in different oak barrels. These beers are American Sour Ales that have been aged with various "Wild Yeasts" as well as different strains of Bacteria that give off complex tart and funky flavors.
- Augusta Saison : Our Saison Farmhouse Ale is amber & malty with a hint of fruit finish.
- Stray Monk : Stray Monk starts off by showing the classic characters of a Belgian Trappist Single, but adds a touch more caramel and nutty flavors from our use of additional caramel malts. I like to think of this as a beer made by a young monk who got a little experimental when the boss wasn’t looking.
- Ortucky Common : Dark rye sour ale brewed at Commons and fermented in second-use Bourbon barrels with slurry captured from DeGarde's BuWeisse as well as one of Commons' house yeasts.
- Oria - Pomegranate : This hopless sour saison has been bottle conditioning for 5 months now and is drinking like liquid sour-patch kids - so tart, so fruity. Aged with 250lbs of hand seeded pomegranates!!!
- Ancient One Bourbon Barrel Aged Dark Star : Ancient One Bourbon Dark Star is a blend of 18 and 30-month Bourbon Barrel-Aged Dark Star in 12 and 35-year old Heaven Hills barrels. Using these rare, 35-year old bourbon barrels creates a truly unique, one-of-a-kind beer. The roasted and chocolate malts complement the smooth oats to bring you a stout delight wrapped in a gentle embrace of bourbon barrel-aged warmth. A touch of sweetness dances in balance with the hops to finish with a wave and then she’s gone. 
- Mt. Nittany Pale Ale : An American pale ale brewed with Cascade hops and hop-backed with Citra. A real refresher with a spicy, citrus aroma and a slightly nutty malt flavor.
- HyveMynd : HyveMynd is our brand new Pine Barren Honey Double IPA brewed with heaps of wheat and malted oats. A huge quantity (240lbs/20bbls!) of Pine Barren honey from our comrade Patrick Ryan of Fruitwood Orchards was added during the tail end of fermentation to maintain it's delicate floral subtlety. Dry hopped into another sticky dimension with pungent Mosaic lupulin powder. Crazy ripe honeydew melon, drippy mango flowers, and dank ruby red grapefruit notes galore in this beauty.
- Left Field Eephus Oatmeal Brown Ale : Our Oatmeal Brown Ale is inspired by the seldom thrown Eephus – a risky and unexpected high-arcing pitch that catches the batter off-guard. This American Brown Ale finds its sweet spot with dark, dried fruit aromas, a touch of bitterness and spicy woodiness, and a surprisingly creamy smooth taste.
- Happy Hella Haze : Christmas Double IPA collaboration with Roughtail Brewing Co. Brewed with cinnamon, vanilla, lactose and fruitcake.
- Short's Black Diamond : The new Schwartzbier brew, which translates into a German-style black lager, will be called “Black Diamond”— giving it a nod to winter and skiing. Visually, black lagers can be deceiving, featuring an opaque, black color and a full, chocolatey flavor similar to stout or porter. But unlike its dark cousins, Schwartzbier features a bottom fermenting lager yeast, which produces a medium-bodied brew with a smooth finish that will be worth savoring.
- Wedding Punch : Our Berliner-Weisse "Work Weekend" refermented on Passion Fruit and Mango purée. Brewed for our friends Michelle and Phil's wedding!
- Morning Fog MochaJava Stout : Big in color, smooth in taste. Dark roasted malted barley is utilized to produce the coffee and chocolate flavors which dominate this light-bodied stout. 
- Motley Cru 2017 : Motley Cru is our anniversary release, with the only requirement being that the final beer must incorporate a blend of various barrels. This year's edition is a wild ale with passion fruit blended from two mixed grain ales (containing pale ale barley malt, wheat, oats, and rye). Both new American oak barrels, and old use (wild ale program) barrels from Niagara and Prince Edward County provide an eclectic range of wild and local yeast strains, and several hundred kilos of passion fruit puree create a fantastic balance of old world sour flavours and bright tropical notes. Extra time spent conditioning in the bottle provides a lively carbonation.
- Bees : The first edition in our Agriculture Series, Bees is an American wild ale aged for 6 weeks in stainless, with raw, local wildflower honey added after a month to preserve its’ delicate aromatics and flavor. Following transfer into the bottle, we provided an additional 11 months of conditioning, which allowed time for our Bug Blend mixed microbe culture to generate desired levels of complexity and balance. Not overly funky, Bees is refreshingly dry and thirst-quenching, with clean, lactic tartness and light, lemony citrus notes. While no post-fermentation sweetness lingers from the local Honey, gentle floral tones dance with underlying flavors of earthy, white wine. Our golden, bright, wild ale is an ode to those tiny, buzzing pollinators that contribute so much with graceful diligence and purpose.
- Hopperstad Series: Calypso : Calypso hops give a beer crisp, fruity aromas and flavors of apple, pear and stone fruit with hints of bright lemon-lime citrus. It’s a marvelously complex hop with strong tropical fruit notes but also an understated tea-like character. All of this adds up to a very clean, crisp, refreshing and interesting session IPA!
- Zatte : The first beer to come out of our vats, back in 1985, making it the classic beer of Brouwerij ‘t IJ. It is a ‘tripel’, the category reserved for the stronger, blonde beers in Belgian tradition. Zatte more than lives up to expectations in this respect. It is a full-bodied, golden beer with a scent of fresh fruit mingled here and there with a hint of grain. The flavour is slightly sweet, ending with a fine, dry aftertaste. A delicious beer that can be enjoyed in all seasons.
- Columbus : An amber, craft beer with generous amounts of hops and alcohol. This copper-gold beer is a real heavyweight and a must for beer lovers. The liberal quantities of malt and bitter hops create a complex, full flavour. It starts as slightly sweet with malty aromas of chocolate, fruit and grain, while the bitter hops stand out nicely in the aftertaste. A feast for the connoisseur!
- IJBok : Our bokbier that rings in the autumn every year. Dark and full-bodied, but not as sweet as you might expect. The fine, light brown head holds for a long time while the dark, black-brown beer releases aromas of the roasted grains, a bit of coffee and dark fruit. The aftertaste is pleasantly dry.
- Fourteen : Fourteen Anniversary Ale is a hoppy black ale bursting with so much flavor you might think you’re tasting double. Made with ingredients gathered from seven parts of the world, Fourteen will seize hold your taste buds and never let go. Enjoy the intensely floral nose from dry-hopped Cascade and Galaxy hops, the surprisingly light body from 2-row barley, wheat malt, black wheat, and Caramalt, and the strong bitter finish from Chinook, and Cascade hops. Fourteen is like a fast-moving squall, dark and complex with a beautiful black rainbow finish.
- Cataclysm : Our Russian Imperial Stout. Originally brewed to impress the Russian Czars, these are viscous and rich. Enjoy the dark chocolate and coffee like flavors of the smooth yet complex brew. Keep an eye out for the 4 very special cask variation releases!
- Double Plum Sour : A collaboration with Postdoc Brewing. This beer incorporates over 400lbs of plums in a strong and tart wheat-based base. It picks up a purplish hue from all of those plums and welcomes you with aromas of fresh fruit, citrus, and plums! The fruit, the high ABV, and the refreshingly bright lactic acidity intertwine to bring you a nice dose of summer.
- Crack The Skye : Coffee Barrel Aged Imperial Stout brewed in collaboration with Mastodon and Dark Matter Coffee.
- Manzanita : Manzanita is an imaginative take on the classic German rauchbier, combining traditional ingredients with inspiration from the Northern California wilderness. An assertive, multi-layered smoke aroma -- courtesy of beechwood-smoked malts and charred manzanita branches -- gives way to a light-bodied structure and a surprisingly delicate balance of flavors: nutty, herbal, sweet and savory. A beer for a campfire on a crisp fall night.
- Bruesicle: DFG : Dragon fruit and guava
- Speed Dial : This special draft-only double IPA was brewed as a 10 bbl. pilot batch to prepare for the upcoming release of our Third Anniversary brew. A remarkably juicy offering, Speed Dial is double dry hopped with Nelson Sauvin and is supported by a crisp Pilsner malt backbone. Pouring a vibrant, hazy gold; aromas of white wine, apricot, and faint pine sap swirl around the nose. To enhance depth and complexity of the uniquely fruity, white grape flavors provided by Nelson, we added Sauvignon Blanc juice mid- fermentation. Soft and creamy with moderate bitterness and supplementing notes of clementine and pineapple. Medium-Light bodied with a dry finish. 
- Bleurbon Berry : Our Royal Tannin Bomb! Blueberry Sour Ale aged in a second use bourbon barrel for over eight months with even more blueberries. Richly fruity and bracingly sour with a nice touch of vanilla-like oak and bourbon. Ideally served between 48 and 52F.
- Five Leaves Left (ii) : Five Leaves Left (ii) is the second in a five beer series exploring the interplay of a single hop and a single additional sugar source in an oat-based Double IPA. (ii) was brewed with honey from our friends at Fruitwood Orchards. Hopped and dry hopped intensely and singularly with the mysterious Idaho 7. This iteration of Five Leaves Left is pleasant with drippy and comforting notes of late harvest peaches, pineapple, and candied strawberries. Gonna see the river man, gonna tell him all I can.
- Harmony Wheat : An unfiltered American style wheat beer, golden in color with a yeast haze, with a nice fruity aroma.
- Phumbu : A phumbu is a ceremonial mask worn by the chief of an African tribe around the Democratic Republic of Congo. This beer was brewed for the St. Petersburg Museum of Fine Arts “Beer Project” and CCB was asked to brew a beer inspired by a phumbu. This Rustic Brown Ale is brewed with dark candi sugar, and African paddock wood.
- Spring Single Ale : Our Spring Single is our take on an obscure Belgian style, brewed by Belgian monks for their daily sustenance. A light, dry, and hoppy finish, with fruity and spicy notes from a classic Trappist yeast, makes this the perfect companion for longer days ahead!
- Vanilla Vastness : This is a new one for us. We conditioned a small portion of our latest batch of "Vastness of Space" Imperial Stout on Madagascar vanilla beans. The base beer itself is aggressive on roasted coffee notes as well as dark chocolate and fig characteristics. Vanilla adds another dynamic and fortunately does not sweeten the beer up. It's smooth yo! 
- Exactly, Almost : Brewed with gobs of spelt and oats. Fermented with our magickal Saison yeast and a melange of other house microflora in one of our large French oak foudres. Dry hopped with Citra and Hüll Melon. Bright, citrus, ripe watermelon, and passionfruit.
- Sexy Chaos : We age Chaos Choas on vanilla beans and toasted oak chips to give the already sultry and complex Russian Imperial Stout a sexy twist. Very limited availablilty.
- Blackberry Rye : This offering in our Native Series was brewed with select heritage barley and rye malts and fermented with a wild strain of native yeast harvested from honeysuckle blossoms found on Blackberry Farm’s 9,200 acre estate. A secondary fermentation with blackberries followed by additional aging in Tennessee whiskey barrels lends notes of dark fruit and oak to this medium bodied ale’s malt profile, accentuated by a mild tartness and earthy complexity from the wild native yeast.
- Sea Bass : According to the head brewer, this a "dark farmhouse ale".
- Azacca Extra Pale Ale : This special release was brewed to show off a brand new hop variety, Azacca; named after the Haitian God of Agriculture and grown organically in Yakima Valley. It is advertised as a hop big in citrus and tropical fruit notes. The pairing of it with the biscuity type malts used in the mash make for a flavor reminiscent of sunbrewed strawberry and peach tea with a finish so clean and ballanced you might think its a lager.
- Paradise Lost: Guava : A golden sour ale refermented with heaps of Guava nectar. A juicy, fruit-forward sour ale with a lingering tropical fruit aftertaste.
- Scratch Beer 232 - 2016 (Imperial Amber Ale) : Amber Ales tend to explore one end of the beer spectrum (sweet, malty, and toasty) to the other (floral, bright, and hoppy). With Scratch #232, we’ve aimed to create a darker, more robust Amber Ale while still maintaining a bold hop presence. The substantial grain bill incorporates notes of toffee, toasted bread, and fresh baked biscuits, while two of our favorite hop varieties – Columbus and Nugget – provide a wash of pine, fresh cut flowers, and earthy spices across the palate. The addition of experimental Idaho 7 hops lends hints of peach tea and summer fruit as well as a dry, peppery finish.
- Enjoy By Black IPA : Just like its golden envelope-pushing counterpart, Stone Enjoy By Black IPA is intensely hoppy and should be enjoyed über fresh to experience its vibrant stone and tropical fruit flavors and dankness.
- Giving Thanks : From our wild cellar comes this blend of Belgian style Dubbels from 2nd use rum barrels and strong ale from brandy and 2nd use bourbon barrels. All of these beers underwent an extended lactic fermentation in barrels for 11-28 months. Akin to an Oud Bruin, the final blend is balanced with gentle acidity and supporting malt character. Implementing the use of 2nd run barrels allowed us to control the oak and spirit character to a supporting role. Giving Thanks is a wonderfully complex beer with notes of nuts, tobacco, plum and oak with supporting acidity.
- Latitude Zero : Latitude Zero is a refreshing Witbier inspired by the Ecuadorian (Latitude Zero) tropical cuisine. Combining real mango and passion fruit along with a noble, pleasantly clean flavor and aroma that can only come from a Legacy.
- Nut Brown Ale : A sweet ale, light brown in color with a nutty flavor, which comes not from nuts, but from the roasted barley. Medium bitterness and nice hop character.
- Tropical Thunder : "Unique fruity notes arise in this filtered wheat beer from using new school Mandarin Bavaria & Hull Melon hops, classic Bavarian Weiss beer yeast and a touch of dehydrated pineapple juice. This DB Family Brew was led by Senior Brewer Josh French.
- Über Joe : On the surface, ÜberJoe lives up to its name sake: it’s a big coffee beer. But as with most things at 3 Sheeps, the story behind the beer is more complex. From the full-flavored roast we developed with Colectivo Coffee, to the vanilla we add post-fermentation, to our partnership with Black Swan Cooperage and their unique “honeycomb” cut barrel staves that produce a deeper barrel flavor than typical staves — everything in Uber Joe is designed to highlight its massive coffee flavor. It may be more time consuming, sure, and more expensive, but the end result is worth it. It’s a chocolatey, vanilla stout with notes of sweet baked bread, bourbon, maple candy and all of the coffee flavor you can handle.
- Big Star White IPA : Belgian White IPA brewed with barley and wheat, containing wonderful grapefruit citrus aroma and peppery sweet finish. An IPA for everyone.
- Imperial Stout : A rich, strong black ale, names for the Imperial Russian court! This beer tastes like a dark chocolate-covered espresso bean. Its silky smooth, and drinks lighter than its strength would suggest.
- I See The Vision - Prickly Pear And Passion Fruit : Lupulin powder IPA with rotating fruit
- Smoked Baltic Porter : "this dark lager gets its special twist from a hefty addition of Bamberg smoked malt." 
- Cigar City / Bottle Logic - Digital Dissolution : Born in Florida, theoretical physicist John Archibald Wheeler proposed the notion of “digital dissolution”, a concept of digital physics inexorably connected to fundamental questions of the nature of time and existence. Born in California, Bottle Logic Brewing tackles questions of the nature of time and existence by following their thirst of knowledge and beer. Born at Cigar City Brewing, Digital Dissolution is a British-style Imperial Stout brewed with canistel, colloquially called “eggfruit”, that finds Cigar City Brewing and Bottle Logic Brewing exploring the furthest reaches of beer ingredients and processes to honor Professor Wheeler and his contributions to the theoretical realm of physics.
- Pop-Up Session IPA : As a brewing team, we sought to make an India Pale Ale that showcased assertive hop flavor and aroma while maintaining a thirst-quenching drinkability by balancing the bitterness with a slight caramel malt character. A blend of our base pale, Marris Otter, and amber malts creates a simple, yet adequate malt backbone that allows Mosaic, Cascade, Amarillo, Citra, and Centennial hops to shine with bright, fruity, citrus notes. At 4.2% ABV and 41 IBUs, Pop-Up I.P.A. is a full flavored beer that’s suitable for all-day drinking.
- She's A Peach : Unfiltered wheat, strong peach flavor and other fruit flavors, ​low hop profile.
- Belgian White : An old Belgian farmhouse style, our white (or wit) is a wheat beer brewed with coriander and Curacao orange peel. A distinctive yeast strain, coupled with these spices, produces a cloudy, almost white beer, that’s fruity, spicy and exceptionally refreshing.
- Steam Jack : Typically referred to as a “Steam Beer” this beer uses a hybrid lager yeast and is fermented at warmer Ale temperatures, giving this beer a bread, toast and caramel complexity. Its session quality and mild hop character make it a great summer beer.
- Headless Heron : Generously spiced with nutmeg, cinnamon, ginger and cloves, this barrel-aged pumpkin spice ale overflows with dark fruit, dried fruit, and hints of bourbon. Perfect for settling in to watch a few leaves fall to the ground.
- Fowler's Bluff IPA : An American West Coast IPA brewed in collaboration with the local band, Fowler's Bluff. It Purs a clear golden color with aromas of Citrus and Grapefruit. There is a nice hop bitterness at the end. (50 IBU).
- Northwest Pilsner : This crisp easy drinking pilsner was brewed was brewed with a blend of NW. Canadian and German malt; along with flaked rice. NW grown Cascade and Lemon Drop hops privide floral-citrus notes of grapefruit and lemon. Dry hopped for your drinking pleasure.
- Peavine Porter : The brewmaster’s pet. This rich and complex black beer has a smooth, deep, roasted flavor. The chocolatey-coffee finish in this brew comes from a mix of crystal, black, and chocolate malts.
- Cordial Tease : Dark cherries and peppermint spice up the rich chocolate and caramel malts used in this special brew. Flavors of chocolate, coffee, caramelized sugar, dark cherry and peppermint tease your palate until releasing to a warm, soothing finish.
- Cyclo Imperial Chocolate Stout : The addition of award-winning Marou Chocolate cacao pods in this full-bodied Chocolate Imperial Stout provides a deeply rich aroma and velvety texture. Cacao nibs are harvested and hand-picked in the Mekong Delta by Marou; chosen for their complex profile. This robust beer is then complemented with local cinnamon and vanilla. Cycle Stout is lovingly produced in small batches and hand labeled in Ho Chi Minh City.
- Palmistry : A double version of our classic Berliner Pale Ale (A tart pale ale) infused with over 2,200lbs of tropical fruit per batch, roughly 1.2 lbs. per gallon! Pineapple, kumquat & white guava give this beer huge tropical juice flavors and aromas with just enough tartness to balance it all out. Great in the morning, noon, or at night. 
- Science Experiment : Weird IPA brewed with oats and hopped with Citra and Centennial. Conditioned on grapefruit purée, whole vanilla beans and fresh rosemary. Quite sensible and nice.
- Mike McIlyar's Hangover Cure (Andall) : Canadian Breakfast Style Imperial Stout with Bewdly smoked bacon coffee beans, dark Canadian maple syrup, cinnamon, vanilla and Ancho chili.
- Flash Golden : Don't let your glory days of beer drinking be destroyed by looming darkness and never ending thirst, Flash Golden is here to fight off the evil entities, and bring you golden tropical sunshine. 
- Passion Fruit Pinner Throwback IPA : Passion Fruit Pinner takes the flavors of passion fruit & citrus juice of the original Pinner Throwback IPA and turns them up to 11. The clean malts, with hints of toasted biscuit pair with zesty hops to spice up the taste and aromas from pureed Passion Fruit and a small spike of pureed Blood Orange.
- Cantillon Citoyen Du Monde : This is a very special gift from our friends at Cantillon in cerebration of 20 years of Shelton Brothers. Passionfruit lambic called Citoyen du Monde -- "Citizen of the World," a nod to Casablanca, Dan and Tessa's favorite movie. In the words of Jean Van Roy: "1996 was the year of our debut in the US, and with it, Shelton Brothers was born. 'The American Dream' became a reality for Cantillon as it did for Shelton Brothers. It was the beginning of a beautiful friendship."
- Fantapants : Fantapants is offensively bitter (like most redheads!) but begins slightly sweet, with an aroma of passionfruit and pineapple. The finish is full-bodied with a hint of biscuity malt.
- Peak Organic Nut Brown Ale : Our Nut Brown Ale starts out very smooth, like an English-style Brown Ale. The use of Chocolate Malt, Munich Malt, and Hallartau Hops give this beer a crisp, nutty finish. Peak Nut Brown is a delectable beer loaded with complex, differentiated flavors that don’t overwhelm the palate, making it a perfect dark beer for food pairing.
- Timberline Brown Ale : A high country staple: rich and malty yet crisp and toasty with very light coffee/cocoa notes. This dark brown ale is a perfect fit any Colorado season. Turn that brown upside down!
- 3 Floyds / Off Color Tonnere Neige : A complex and thirst-crushing, saison-style ale fermented with 2 yeast strains. This ale is the combined effort of Three Floyds and our friends at Off Color Brewing Co.
- A Stein’s Throw : This is the third release in our 2012 Provisions Series Local Collaborations Series. We've teamed up with our great friends at TAPS Brewery out of Brea for this beer and we made one of our most complicated beers to date. An amalgamation of a barley wine with a traditional stein beer, this strong, brown ale has an extra level of caramel complexity brought on by our use of granite rocks that were heated to 900º and added to the wort along with a generous addition of date sugar for added gravity. A Stein's Throw is rich with fruity esters and toffee richness, but finishes dry after being fermented with proprietary yeast strains from both The Bruery and TAPS.
- Modern World : Modern World is an experiment on the usage of “spent” fruit. This barrel fermented saison was aged in French oak barrels for 7 months before being transferred into stainless onto 850 pounds of spent blackberries and raspberries.
- Citra Pale Ale : A brew in our Pale Ale Series, this ale is brewed and dry hopped exclusively with Citra hops, a new variety gaining huge popularity among craft brewers. Notably citrusy, but also with complex fruit notes of guava and strawberry, this Pale is delicate and well balanced.
- Bbbrighttt W/ Galaxy : BBBrighttt w/ Galaxy is a clean and elegant showcase for our favorite southern hemisphere hop - GALAXY! It builds upon the base beer resulting in an amplified flavor profile as a function of additional kettle and dry hopping from the base recipe. It tastes intense and much like fresh squeezed pineapple juice. A light body and fluffy mouthfeel make this beer such a pleasure to drink. We love the Bright series for its individualism as it allows the pure character of the hop to shine, foregoing the hop compound biotransformation that contributes depth, complexity, and originality to our core Tree House IPA's. With this beer you get perhaps the most authentic and intense Galaxy hop candy in our line-up, and what a sweet treat it is!
- Shanty Warmer : An intensely rich Imperial stout with a big, bold flavor! Loaded with a deep malt complexity of molasses, bittersweet chocolate and dark caramel with hints of prune, licorice and raisin. Aged 6 months in Stainless Steel vessels!
- Disco Bloodbath : Black currant dark saison
- Fall Ball Imperial Harvest Ale : Harmon Harvest is an imperial red/amber brewed with an extra helping of Munich malt to give it a rich, deep amber color and complex malt body. Other malts are melanoidin, dextrin, 15L, 45L and 120L crystal malts and finished off with a small addition of chocolate malt. Hops are centennials, liberty and fuggle. We have also added a touch of pumpkin puree, pumpkin pie spice, and whole cinnamon sticks to round off the finish.
- King Titus : Our take on an American robust porter. Dark, thick, chewy, chocolaty, and of course, generously hopped.
- Olde Steamboat : Olde Steamboat pays homage to the river paddlers that once ruled the Mighty Mississippi. Designed in England, and born during America's industrial age, steamboats were the workhorse of river commerce in the 18th century. European malts, English yeast and hops marry to craft a rich, complex matliness with notes of caramel, toffee, and dried fruit. By design this beer is drinkable now and over time will develop complex port like flavors. So pop the top or lay it down, either way, enjoy this Olde Steamboat!
- Annihilator Double IPA : This big American Double I.P.A. is hopped with Nugget, Centennial, Chinook, and Cascade, and dry-hopped with more Cascade. Very well-balanced for such a hugely complex and flavorful brew. Enjoy with caution! Don't get annihilated!
- Apricot Wheat : Our smooth wheat beer is light in color and body…perfect for those looking for a lighter taste. The combination of wheat and barley gives Apricot Wheat a different malt character than our other ales. The hint of apricot gives this beer a pleasant nose and fruity finish.
- Put It On The Poll : Brewed for Billy from The Dan Lebatard Shows Shipping Container crew, this Berliner Weisse style ale was infused with over 600 pounds of fresh guava and passion fruit.
- Cognac Cask-Aged Dark Saison Ale : This Barrel Room Series beer, available exclusively in the Kansas City Barrel-Aged Great Eight sample pack, features aromas of nutmeg, leather and earthy menthol that meld with sweet caramel notes, dark fruit and vanilla. Spicy cardamom and sweet orange peel accent floral notes provided by Hallertau Blanc hops.
- Imperial Reserve : Imperial Reserve should be saved and shared. Brewed only once per year, our Imperial Stout is characterized by a dominatingly rich malt profile full of coffee, chocolate, and dark fruit qualities. Naturally carbonated, it will age gracefully when cellared.
- Three Bears Oatmeal Stout : Brewed with dark roasted malt , Centennial hops and Republica Roasters coffee , this jet black oatmeal stout features notes of chocolate and espresso. Big , bold and surprisingly smooth , this cask has added vanilla , cocoa and cinnamon.
- Schattenbiest : German for "Shadow Beast", this dark lager comes with roasty notes and a crisp lager finish.
- Labatt Canadian Ale / Labatt 50 : John and Hugh Labatt, grandsons of founder John K. Labatt, launched Labatt 50 in 1950 to commemorate 50 years of partnership. The first light-tasting ale introduced in Canada, Labatt 50 was Canada's best-selling beer until 1979 when, with the increasing popularity of lagers, it was surpassed by Labatt Blue. Labatt 50 is fermented using a special ale yeast, in use at Labatt since 1933. Specially-selected North American hops and a good balance of dryness, complemented by a fruity taste, provide Labatt 50 with all the distinguishing features of a true ale.
- Porter Rico Coconut Porter : Take a trip to the lost island of Porter Rico, where the cacao and coconut live in harmony and frolic the sandy shores. Our island getaway takes the form of a dark, chocolatey beer, with a balancing sweetness, medium body, and lingering mouthfeel. Intense toasted coconut rides the trade winds for a truly exotic, yet comfortingly familiar pint.
- Take Five : Here at CMBC we love our hops. Big 8-9% double IPAs, loaded with hops, super aromatic and bone dry and crisp and ultra refreshing, we could pound those back all day. Except we can't, because that'll get you a little too tuned up, and lets be honest, hang overs went out with our mid twenties. But, what if we could have those warm and fuzzy feelings about a super hoppy double IPA, but coming in at 4% instead of 8%? That would be a little too good to be true, but we'll Take Five, hold off for a bit and enjoy some beers. We loaded this session IPA with citrus and fruit forward hops, kept the body strong enough to stand up to the barrage of hops, and dry hopped the heck out of it to make a session IPA we feel is worth stepping back and taking five.
- Lower Bankhead Black Pilsner : Retrieving coal from the depths of the earth requires a dark soul like the one this pilsner possesses. Roasted malts add character, flavor and color to this classic German style Swartz beer. Dust off the head lamp to get to the bottom.
- Hazy Glue : American Pale Ale is a style we hold close to heart, it's the style that introduced us to craft beer and shaped, in our formidable youths, just what hops can provide beyond the bitterness. Hazy Glue Pale Ale is the antithesis to the classics that we love, breaking from tradition and celebrating our foundation of never filtering and never cutting costs. Sprinting in the opposite direction from what we were raised on, we brewed a Pale Ale with a bitterness low enough to make it insecure in a locker-room full of Lagers. Using more Mosaic and Melon hops than makes sense, Hazy Glue permeates nostrils in its entire vicinity with scents of honeydew melon, cantaloupe, lemon hard candies, and grapefruit. A bunch of flaked rye gives the beer a slickness that other grains just can't provide, blending with oils from the hops and sticking to your tongue in an unabashed display of modern hop gluttony. We are lovers of all things Pale Ale, but we would be lying if we said Hazy Glue was designed to be anything other than our personal favorite.
- Nutty Brewnette : Nutty Brewnette is an American-style brown ale. A blend of four different dark malts contributes to a flavor profile that is sweet with “nutty” notes. A healthy dose of hops makes this beer hoppier and more balanced than most English brown ales.
- St. Mark's Dubbel : Our Dubbel exhibits many of the complexities that have made this style of beer highly sought after over the centuries. It is dark red in color, hinging on mahogany, with loads of sweet, caramel esters that fill the nose. Hops are necessary only for the purpose of creating balance, but in no way do they compete with the rainbow of aromas. The aromas are a byproduct of fermentation, and our proprietary Belgian yeast strain produces similarities to many of the Belgian classic Dubbels.
- Fruit Fly- Passion Fruit Citra Sour Ale : A new spin on the classic tart Berliner weisse. Fruit Fly is a kettle-soured, quaffable ale brewed with tropical passionfruit and fruity Citra hops.
- Rue Sans : The exploration of wine and beer is one of our favorite frontiers. And with this release, we don’t just blur the lines between the two. We break the boundaries. Rue Sans is a rustic, woody fusion of our sour rye ale with Roussanne grapes. Known for rich, complex notes of apricot and honeysuckle, our friends and collaborators at Sans Liege Wines destemmed Roussanne grapes from Santa Barbara Highlands Vineyard for this rare release. Over the course of four days, the grapes soaked on skins, with ongoing pump overs to submerge them. We then transported the juice to Bruery Terreux and blended it with select barrels of Sour in the Rye, tucking the creation into American Oak barrels to let nature take its course. After nearly a year, the beer emerged with characteristics of both Roussanne wine and something new entirely to the world of sour beer. Like the wine, it shares a commanding palate presence, bold orange color, spice notes and dynamic, robust flavors at every turn. Unlike the wine, it’s a beer.
- Blackbird Stout : Bronze medal winner at the 2006 World Beer Cup in the Oatmeal Stout Category. A malt oriented stout with lots of dark malt characteristics.
- Lost Satyr : The sweet fruitiness and hint of spice from the saison mingle with the tartness of the blackberry to create a unique and wonderful blend of flavors. No expense was spared with this celebration of blackberries.
- Belgian Strong Dark : Belgians say, “Op uw gezondheid’” when toasting, but you don’t have to speak Flemish to appreciate the bold, complex flavors of fig dipped in dark chocolate, ripe fruit and toffee in this immense Ale. Op uw gezondheid!
- Mervyn's 24 Hour Sale! : Imperial Cascadian Dark Ale aged in bourbon.
- Hot Toddy : A full-bodied copper colored strong ale. Inspired by the classic winter drink of the same name, this beer is fermented with honey, cinnamon and lemons, and aged on whiskey barrel staves. Warm oak aroma and flavor is prevalent, while the taste finishes with subtle honey sweetness. Very light fruity hop bitterness provides a perfect balance.
- Sour Wench Blackberry Ale : Our Sour Wench Blackberry Ale is a fruity Berliner Weisse-style beer bursting with Oregon blackberry flavor and aroma. The fruit addition adds a beautiful violet hue, and the taste has an approachable soft tartness from kettle souring. This artful gypsy will surely lure you into the world of sour beers.
- 5th Anniversary : Our 5th Anniversary beer is a dark and decadent imperial stout fermented with raspberries and finished on cocoa nibs and a touch of vanilla.
- Eureka W/ Citra & Guava : This rendition of Eureka features fresh Guava giving it a juicy and rich tropical fruit flavor and aroma in a supremely light and refreshing package. A summer crusher, indeed.
- Ur-Bock Dunkel : At the first sip it is smooth and full-bodied, at the second sip the true rich, strong roasted malt aroma of Einbecker Ur-Bock unfolds. The dark barley-malt brewed refreshment from the Einbecker original recipe.
- Keagan : Keagan Imperial Stout is the beer that started it all! A big Imperial Stout with intense dark fruit and roasted malt flavor. Leaning more towards an English-style Imperial Stout, the bitterness is restrained to allow the malt character to shine.
- Dunkulele : Dunkulele is brewed with dark caramel and roasted versions of barley and wheat. Dunkulele is a dark wheat ale that contains a nice silky mouthfeel without hiding any of the yeast esters that make this beer unlike anything else in our line-up. A slight clove and banana character come into the aroma and flavor of this beer by way of its German rooted fermentation. A perfect beer for a crisp, cool Autumnal evening. ​
- Milly's Otto Altbier : Otto, a Düsseldorf Altbier, is a beer that was inspired by a trip to Düsseldorf's Altstadt (old town) when I was a student studying brewing at Doemen's Academy in Munich. The Altstadt has several fantastic brewpubs that produce some of the most wonderful tasting alts that I've ever tasted. Trying to be true to these beers, I brewed Otto with several German malts, a healthy dose of German Magnum and Tettnang hops and fermented with German yeast. The end result is a full flavored ale with a complex malt flavors and an assertive hop bitterness.
- Black Robusto Porter : A robust Porter, Drake’s Black Robusto has a roasty character and is stronger in alcohol than a regular porter (thus “robust’). Dark black in color with chocolate maltiness from seven different types of barley and spicy herbal hop character from Northdown and Williamette hops.
- Brett Saison : Brett Saison - This barrel aged version of our Dragon Rye Saison has extra depth and complexity from the addition of brettanomyces and 6 months in pinot noir barrels
- Couch Surfer : Brimming with darkly roasted malts and rich notes of chocolate and coffee, this velvety-smooth oatmeal stout lingers and lounges into your heart. Gone before you know it...seriously.
- New Year's Revolution : Hopped with Amarillo and Simcoe, which gives this smooth double notes of grassy-papaya, hints of pine, and citrus fruit.
- Carnaval : Passionfruit and Creme sour
- Korner's Kolsch-Ville Ale : Kernersville’s famed German immigrant, Joseph Kerner, may never have enjoyed this fine German beer at the Folly, but you can today. This very pale ale is unique to Cologne, Germany and is brewed with Pilsen and caramel malts, German Spalt hops, and Cologne-sourced Kölsch yeast producing a lager-like crispness with a fruity finish. We wouldn’t be surprised if this is the lawn mower’s choice beer in Germany!
- Dock Street Bohemian Pilsner : Brewed in the style of the original pilsner beers of Bohemia in a tradition that dates back to 1842. We use pilsner malts and a generous amount of Bohemian Saaz Hops to produce a golden color, soft, nutty malt flavor and floral hop bouquet.
- Galaxy Four Seam : A true New England IPA loaded with hoppy citrus and tropical fruit flavors sitting on a cloudy backdrop of light malt. Bitterness is intentionally low to accentuate the intricate flavors of the hops and promote a "juicy" character.
- Cranberry Berliner : Our ode to summer. By implementing a sour mash procedure in our kettle an intense lactic and sour character emerges, complemented by the addition of cranberries. The beer is then fermented with our lager yeast. Finishes fruity, citrusy, dry, and quite tart.
- Welly Mammoth Winter Stout : Welly Mammoth is a huge and complex winter stout with subtle hints of balsam fir and a refreshing peppermint finish. With a huge body and rich chocolate malt this full bodied stout embodies the majestic presence of this pre-historic beast. Brewed using balsam fir boughs and peppermint, this massive winter stout is black in appearance and is heavily fortified with 9% alc/vol . Welly Mammoth Winter Stout is sure to bring some warmth to fight off the deep chill of winter.
- Porte Noir (BeerAdvocate Blend) : On April 11, 2016, Team BeerAdvocate ventured to Portland, Maine, to blend the official Return of the Belgian Beer Fest beer at Allagash Brewing Company. After pulling samples from several oak and stainless steel tanks and experimenting with different combinations, we ended up with two blends (Papier Doré & Porte Noir), a light and a dark, to represent two sides of the sour flavor experience—and because we just couldn’t pick a favorite.
- Volkan Santorini Grey : Pale blonde, yellow fruit flavor with hints of honey, flavors banana, pineapple, lemon flower and unripe bitter orange, rich white foam with good density and average duration.
- River Rye : This Red Rye is the perfect pairing of bold American hops and earthy spicy rye, offering a unique complexity of flavor. It is rich but refreshing with a deep mahogany color, creamy body, and crisp clean finish. This beer is in a can, although it's best enjoyed in a glass the can makes for easy travel.
- Southern Drawl : A hop forward lager with complex, citrusy aromas derived from German hops and wheat phenols. We use our house German lager strain to provide a fresh backdrop for this perfect session lager. Mildly traditional...Wildly drinkable.
- Wallonia 2007 : The label reads "Belgian Pale Ale", but the beer is dark - by mistake the labels from the 2005 edition wasn't changed.
- Pale Ale : Hints of grapefruit, melon and pineapple complement the dry finish on this pale ale. Columbus hops are used for bittering, Cascade for aroma and flavor and dry hopped with Crystal.
- Bashi : This farmhouse barleywine style ale was brewed with all Indiana grown barley, with a touch of malted oats. Boiled for 3 hours, this beer is a bold tasting experience of dark stone fruit, caramelized sugars, raisin and spice. This beer is fermented with our house yeast, so it still finishes dry yet full-bodied. Barleywine is Life.
- Barleywine : Specially released for our 2nd anniversary this Barleywine packs a lot of flavor. It has a strong malty flavor followed by the warming sensation attributed to the 11.2% ABV. Barleywine is, indeed, a beer, and an ancient Greek style of beer made from fermented grains. The high alcohol volume of is similar to that of wine but unlike wine it isn’t made from fruit. Since it is made from grains it is called Barleywine. Take some home in a growler and nuzzle up by the fire.
- Celt Lager (Cwrw) : A crafty lager, bottom fermented with pilsner yeast and stored for 6 weeks at chilly temperatures. Delivers a smooth, crisp and fruity experience. Brewed with Iso-resistant bittering hops and a bundle of American aroma hops, giving out stability with style, presented in a swarve transparent bottle.
- Ghostland Wanderer : This hazy double dry hopped IPA was brewed in collaboration with our friends from the Scorched Tundra music fest. We used plenty of Belma and Grüngeist hops to make this juicy and aromatic IPA with notes of tropical fruit, stone fruit, citrus, and berries. Medium body with a soft finish. Exclusively on tap at Corridor and Scorched Tundra X at the Empty Bottle (8/30-9/1)!
- The Not-So-Thin-Mint : From brewer's friend Scott Hunter, the Not-So-Thin-Mint is a rich 5.0% brew with all the elements of the Girl Scout cookie. This dark, lightly hopped ale is made with fresh mint, vanilla and real girl scouts (not really).
- Hash Session IPA - Hop Hash : The star of the show here is the Amarillo hop hash – the brewers kept the malt bill light to allow the concentrated hop flavor to shine through, differentiating it from other session IPAs. Pungent with floral, tropical citrus fruit flavors; the hop hash gives it that one of a kind chewy, gooey, resiny mouthfeel. As the chaser, SweetWater gave it a hefty dry hop to enhance the potent aromas. Ahtanum gives it orange and grapefruit tones, Crystal for a little kick of spiciness, and El Dorado bringing some pear and watermelon characteristics. SweetWater is one of the only breweries using hop hash.
- Pilsner : Pilsner is the most imitated style of beer in the world. Prior to the 1840's all beers were dark and cloudy. In 1842 a new brewery in Pilsen, Bohemia introduced a brew that was golden and clear. Our version has a deep gold color and a firm malt background. The emphasis is on the assertive hopping with Hallertau and Sterling varieties. Expect a beer that is substantial in body while finishing with a crisp dryness. Spicy and floral hop flavors are evident throughout.
- ROARlando : Golden ale brewed with ruby red grapefruit and hibiscus.
- Total Observation Scooter : Take the chill off a crisp fall evening with this rich, warming strong ale. Notes of toffee and hazelnuts swim around a significant hop profile created from multiple wet and dry additions of our own Nugget and Cascade hops, also creating a wonderful aroma of candied fruit. This ale pairs quite well with fall dishes of squash, mushrooms, and peppers. Some warm bread pudding also matches to create the perfect nightcap.
- Wintertime Ur-Bock : A malty German-style dark lager with hints of caramel and toast from a base of Munich and Pilsner malts. Our Wintertime Ur-Bock is a delicious interplay of moderate malt sweetness, smooth mouthfeel and light hop aroma from Hallertau Mittelfruh hops.
- Honey Ginger Belgian Tripel : Spicy notes and fruity esters are prominent in this Belgian Triple holiday brew.
- Furlong Bourbon Barrel Aged Imperial Stout : The Furlong is brewed with roasted barley to impart notes of coffee and dark chocolate. RedRock's brewers used rich dark malts for bold flavor and then age it all in freshly used Kentucky Bourbon Barrels for a year.
- Double Red : This dark amber ale is our English version of an I.P.A.. We use all English hops which do not have the citrus character of our regular I.P.A. or our Imperial I.P.A.. This beer finishes with a nice, malty flavor.
- Patsy : We don't care what anyone thinks. The CSB crew unabashedly loves fruit beers. And IPAs. So why not combine a bushel load of peaches and a hazy IPA? Combining a huge dose of Peaches with Caliente & Mandarina Bavaria hops with a straightforward grain bill consisting of flaked oats and Indiana Pilsner malt, this beer overflows with fruitiness!
- Barrelholder Belgian Golden Strong Ale : Our limited release Belgian Golden Strong Ale is crafted to be bright and crisp with a medium body. Lightly fruity and spicy, the ageing in red wine oak barrels has imparted delicate toasted oak and caramel notes. Combined with sweet vanilla overtones and a deceptive 10.6% ABV, the barrel process has added depth and complexity to an already delicious beer.
- King Of The Mountain India Red Ale : This unique style combines the hoppyness of an IPA and the malt complexity of a Irish red ale. The end result has a wonderful citrus blend in aroma and flavor. Smooth bitterness fades to caramel and lightly roasted grains.
- Saison Nöel – Holiday-Spiced Saison : Aromas of cinnamon, clove and star anise, along with hints of orange peel and fruity saison esters shine in this light holiday ale. The flavor is a medley of the saison yeast character you know and love with festive spices providing a cheerful balance and dry finish.
- Almost Level APA : American pale ale with cascade, centennial and ahtanum hops with grapefruit and citrus character. 
- Mocha Coffee Porter : A full bodied ale, dark brown in color, with a tinge of coffee flavor. Nicely balanced by five malts and a mild hop profile.
- Imperial IPA : We love IPAs. There's no two ways about it. So when we were tasked with designing a new beer for summer, we had to make another IPA. This Imperial IPA is built around things that are close to our hearts. An intentionally simple malt bill provides a blank space for El Dorado, Simcoe and Citra hops to give notes of lemon, citrus, stone fruit, pear and passionfruit. Let this fruit basket be your juice cleanse.
- Twisted Zweig: MN Madness : Mango, Guava, Passion fruit
- Mill Race Mild : Darkly coloured and rich in appearance, this mild ale is brewed in the traditional style of British mild beers that are disappearing even from the pubs of London, England.
- Crossroads : This Mosaic & Amarillo hopped IPA has a grassy aroma with a stone fruit forward and soft body. A mellow and highly drinkable hazy IPA.
- Amber : Light & refreshing amber hued ale with a fruity aroma and a sweet malty finish.
- Sanitas Black IPA : A dark India Pale Ale packed with dank, resinous hops. The addition of de-bittered black malt creates a captivating dark color while crystal malt adds caramel-like flavors. Our flagship Black IPA delivers a sharp uppercut of citrusy, piney hop character with a subtle roast note in the finish. This beer is brewed entirely with organic malts.
- 2014 Owens Valley Wet Harvest Ale : The end of August marks the beginning of Fall in the High Sierra and with the cold nights comes Harvest time. Owens Valley Black IPA is our original harvest beer using fresh wet Cascade hops from local hop farmers Banner Springs Ranch. THese hops come straight from the fields and go into the kettle within 24 hours, keeping all the lovely hop oils pristine and intact for your enjoyment. Brewed with Dark malts and tons of hops, OVWH is a hearty beer perfect for fall barbecues.
- Schlafly Porter : Our Porter is a dark ale with a mild roasted character and a distinct sweetness from caramel malt. This medium-bodied porter has a velvety body with Pilgrim hops adding a subtle bitterness and East Kent Goldings hops adding aroma and flavor. The English yeast helps showcase all of these flavors in this traditional British-style porter.
- Ghost Bridge Imperial Stout : Intense, black ale with a rich, fruity nose. Aromas of black currant, prune, and coffee. Rich, smooth body with a sweet malt palate, fruity, toffee, and coffee-like flavors and a balanced finish. A bold, rich ale for sipping and savoring. Brewed with a blend of American, British and German malts, Apollo hops and a classic British ale yeast. 22 degrees Plato, 8.1% ABV, 60 IBU
- Schwarzbier : Schwarzbier is a traditional dark lager. We use German Munich and Pilsner malts to create rich flavors, including coffee and cocoa.
- Hopperation: Black Hops : Hopperation: Black Hops is a smooth Session style IPA. It has a rich dark black color and a smooth slightly hoppy taste.
- Patrice Saville : Yakima grown Sterling hops give this refreshing pilsner a spicy and earthy hop aroma. Malt character is accentuated by a German Lager Yeast that ferments dry but round and complex.
- Double Dry-Hopped Citra-Hero : Citra-Hero is amping up the intensity with a new concept suit fueled by the dynamic Type-45 Citra hop. Reduced plant matter triggers more essential hop oils, further accelerating her citrusy impact. Two rounds of dry hops unleash a staggering 5 pounds of Citra, Simcoe, and Kohatu per barrel, triggering an explosive amount of melon, berry, and tropical fruit flavors.
- Edge / Lervig Brewing - Pure Decadence : Originally brewed in collaboration with our friends at Lervig, this opulent Russian Imperial Stout is smooth as silk while remaining complex in flavor and rich in body. Notes of espresso, chocolate, dark toffee and hints of molasses come together to create a soft dryness, making this a truly decadent experience.
- Pendragon : A new offering from Excalibur Brewing, an American twist on the Pale Ale with a well-balance malt and hop profile. Hop flavor is somewhat citrus, like grapefruit and lemon.
- Les Ronces : Loosely translated as "The Brambles", Les Ronces is rooted in Southern California charm. The juicy fruit was commercially brought to life near Bruery Terreux at Knott's farm in Buena Park, California in the early 1930s. Since their peak in popularity, the berries have become more scarce and elusive, and at the same time, an ideal cohort for our wildly traditional bière. In Les Ronces, the boysenberries impart a reddish-purple hue to the oak-aged ale, with their sweet-tart flavor profile complementing the sour blonde base in a light jammy, puckering and refreshing fashion.
- Dubbelganger : A rich, dark beer with flavor notes of raisins, plums, and currants aged in bourbon barrels for three months.
- Gowanus Gold : Lime, Star Fruit, Aromatic, Ebullient. Dry-Hopped Lager w/ Anson Mills Carolina Gold Rice.
- Tangy Zizzle : El Dorado and Simcoe hops are featured in this classic American Pale Ale. Strong notes of candy, stone fruit, pine, and citrus are present.
- Calleigh’s Irish Stout : Calleigh’s is a classic dry Irish stout made to drink all afternoon. One sip will reveal light pale ale flavors with just a hint of caramel. The black malt adds a dark color and a slight aroma of coffee. Finished with a blend of American and British hops, you have a stout that is crisp and easy to drink. Calleigh’s is truly a light beer, only dark!
- Marshmallow Handjee : Dark Lord Russian Imperial Stout aged in a variety of Bourbon barrels with vanilla beans.
- Fresh Prince Of Bel End : As the first whispers of Fall echo down Main Street, sink in to a pint of this Belgian dark ale. The pale malt base is fairly unassuming, as are the Nugget hops that balance the sweetness. Don't be fooled though; this beer has a ton going on. The estery, slightly phenolic Belgian yeast character serves as the perfect start to a malty playground. Hints of flaked oats and wheat lend a fluffy mouthfeel while caramel and honey malts create a rich, complex sweetness to counterbalance the dry Belgian yeast finish. A touch of chocolate malts brings in a little roastiness and bittersweet cocoa flavor. Pound one and dance around like Carlton. Alfonso Ribeiro would.
- Passionfruit Sour Ale : 100% sour fermented wheat ale, inspired by German Berliner weisse and conditioned on passionfruit. bronze medal winner at the 2013 Great American Beer Festival!
- Minute Man NE IPA : A hazy, juicy IPA with the aroma of a hopped up IPA, but without the harsh bite. Loaded with hops with citrus and tropical fruit flavors. Mouth feel is full bodied and creamy.
- Alpha Blonde : A seductively soft, easy drinking blonde ale, with an emphasis on a fragile and complex malt character. Made with Belgian candi sugar, honey malt and select Belgian and American grain. Slightly sweet and creamy; perfect for the session connoisseur and the timid domestic drinker looking for an introductory craft beer. 
- Capricorn : The first beer to be brewed at Bear Republic Lakeside, this version of Red Rocket offers fruity and floral aromas from the addition of Mosaic and Citra, followed by a sweet caramel finish.
- Defiance : Reddish/copper color. A slight fruity-ester aroma accompanied with an intense hop aroma. Medium to high maltiness with a low caramel character. Intense hop flavor balanced with a warming finish.
- Houblon Chouffe Dobbelen IPA Tripel : The gnomes of Fairyland may be little, but they have big, very big, personalities. HOUBLON CHOUFFE matches their impish spirits. All gnomes, with their innate good taste, are in full agreement about HOUBLON CHOUFFE, which is flavoured by three different types of hops. This India Pale Ale is appreciated for its pronounced bitterness combined with the fruity tones of traditional Achouffe beers: it softens the strongest of characters.
- 1000 Mile Oatmeal Pale Ale : Brewer and hop expert Phil Davidson and his companion hit the Appalachian Trail's 1000 mile marker at Harpers Ferry. To celebrate, Phil was our guest brewer on this Oatmeal Pale Ale. Virginia grown and malted oats from Copper Fox Distillery were used in this American Pale Ale adds a silky body that rounds out the complex pineyness of Columbus hops. We then layered on several additions and multiple dry hops of Cascade, Simcoe and Chinook.
- Hot Banana Hefe : Since our brewery is located so conveniently on Crossroads Farm, whose main farm product is chiles, we have a passion for chile beers. Being so close to the origin, we like to highlight single varieties of chiles and celebrate their flavors individually. This Bavarian style wheat beer does just that, the base beer is simple but elegant, and allows the chile flavor to shine. The classic hefeweizen flavors of banana and clove are balanced with a full body from organic raw white wheat and organic white wheat malt. This beer is a solid base for the ripe fruit flavors and gentle spiciness from the hot banana chiles we add to the boil kettle. Cheers to chile beers!
- Sea Rose Tart Cherry Wheat Ale : Our Sea Rose tart cherry wheat ale is a fresh take on fruit beers. Originally conceived during an employee-led R&D brew, it’s one of our most imaginative recipes yet. The American wheat style is light and clean, while fresh cherry juice adds a soft coral color and fruity nose that gives way to a dry, slightly tart finish. It’s approachable, yet unexpected—exactly what we love to brew.
- Wild Peche : A sour version of our Peche, made with equal parts pale malted wheat and barley & packed with peaches, including some local fruit & blended barrel fermented Tripel.
- I'm Not Lonely Belgian Single : Steve was single for a long time, but now he's not. This complex, slightly fruity Abbey-style session beer is perfect for the long haul!
- Java Joe's Porter : Coffee! Coffee! Coffee! Dark and rich, but not as full-bodied as our stout. Start out with a simple English Ale recipe, darken it with some black patent malt, and then give it a kick with 50 pounds of Java Joe's finest organic coffee beans.
- Unintelligibility : Our Dark English Mild is reddish brown in color and wafts aromatics of charcoal and almonds. The body is light and quaffable with notes reminiscent of fruitcake and bran muffin.
- Pilot Batch #3 : Imperial wheat brewed with grapefruit, orange peel and spices.
- Kiasu Stout : Kiasu (adj kee-ah-soo) lit. Hokkien: "afraid of losing". Brewed with five malts, three hops, chicory, and cane sugar. The many layers of flavour will ensure you always win! Quintessential export stout with unrefined sugar cane juice, and added complexity from specially roasted chicory. Great by itself or with dark chocolate. Triple-crowned "Best in the World", "Best in Singapore" and Gold in the Stout category at Beerfest Asia 2013.
- McSwick Scotch Ale : Our McSwick Strong Scotch Ale has a light copper color tinged with ruby highlights. The deeply malty and earthy aroma give way to a smooth but heavier bodied mouthfeel. While the alcohol warmth is present, it is balanced out by a malty sweetness with notes of both almonds and dark fruit.
- Turk Kahvesi Turkish Coffee Stout : Brewed with a curated selection of German and English malts, and blended with Messenger's Espresso Blend bringing out qualities of dark brown sugar and bing cherry.
- Pothole Filler Imperial Stout : This beer is a strong, inky dark ale, brewed with 6 malts and blackstrap molasses. It is a thick beer, with an intense roasted barley flavour, with notes of chocolate and licorice.
- Bligh's Barleywine Ale : Malty and complex, this big beer has a strong caramel backbone supporting oak and whiskey flavors with hints of dark fruits. The nose wafts of coconut, toffee, and a smooth hint of alcohol. The flavor and aroma meld, becoming one after just a single sip. This beer is ready to drink, but also ages with the best of them.
- Stay Tuned : This “smaller” Imperial Stout has a roasty aroma with hints of toasted marshmallow followed by intense flavors of dusty dark chocolate, burnt sugar, and a warming finish.
- Aurora Hoppyalis IPA : Aurora Hoppyalis is our San Diego-style IPA brewed with Simcoe, Mosaic, Amarillo, and Citra hops. Robust flavors and aromas of tropical fruit, pine, and tangerine linger through a dry, crisp finish.
- Not Unofficial : Not Unofficial is a dry-hopped India Pale Ale brewed with mango and guava in collaboration with Lagunitas Brewing Company. Golden in color and slightly hazy, this beer has huge aromas of juicy tropical fruit. Medium bodied this beer leads with flavors of mango and guava before finishing with dank hoppiness
- Titus Andronicus : Pours dark amber in color; nose of fig, plum, caramel, and bourbon; sips with big notes of port, molasses, toffee, and dark fruit; finish is sweet, mellow, and well-integrated.
- Perpetual Passion : Mixed-fermentation saison aged in oak barrels with passion fruit.
- Black Betsy Imperial Black Belgian IPA : This 'MidWestian' dark ale, a recipe by our own Janna Mestan, is brewed with Belgian Ale yeast, Dark Candi Syrup, German specialty malts and loads upon loads of Warrior and Cascade hops. A huge, pitch black ale with notes of pine, citrus, candy sugar, caramel and chocolate. Come see the 'Beer Carol' and find out how only this beer can save Tiny Tim! Hurry, it's his only hope!
- Miracle Berry : A very sour beer made with miracle fruit (Synsepalum dulcificum), which temporarily causes your pallet to experience flavors that would normally be sour as sweet. So the sensation of drinking this beer is a sharp, puckering sour that very quickly transforms itself into a sweet flavor profile. Very interesting and refreshing.
- Potato Gun Idaho Potato Ale (Hopworks Urban Brewery Collaboration) : Coming together in Idaho for this collaboration brew, it felt necessary to include a flagship Idaho crop, potatoes, as a unique ingredient. Fifty pounds of organic purple potatoes were added, backed up by organic whole cone hops. The bitterness is very welcoming but not abrasive. The beer is a beautiful golden straw color with a huge floral and fruity nose. 
- Red Fox : Mellow, spicy, and fruity Belgian-style amber brewed with orange peel, coriander, and grains of paradise.
- Liquid Sunshine Weizen : Made with organic wheat malt, pale malt hops and spice.You know how a bright, beautiful sunny day looks and feels? Well, that’s exactly how our Liquid Sunshine Weizen Beer tastes and feels in your mouth. Made with entirely organic ingredients and a select strain of Bavarian yeast that yields a big fruity nose with lots of banana, citrus and more. Bitter orange and coriander give it unusual and fresh fragrance. A bit on the dry side, being more than 50% wheat malt, this is quenching beer for a sunny day or, for a day when you could really use little extra dose of sunshine.
- Grande Cuvée Porter Baltique : Robust dark lager inspired by Porters from around the Baltic Sea region. This beer is luxuriously round with a mild bitterness. The malts contribute flavors of coffee, chocolate, and vanilla. The use of cherry-wood smoked malt provides a subtle hint of smoke.
- Detente : In today’s hostile world, we could all use some detente. Belgian-style dark strong ale with a hint of dark fruit flavor.
- LIBERATION Ale : Our Gluten-Free beer is here! This is a sorghum-based beer with honey and blackstrap molasses. We use malted millet that we toast on premise. Select hops are added to create balance to the sweet sorghum, and a special yeast strain which provides a nice fruity character. Finally, we steep elderberry and lemon balm to contribute flavors, while offering their healing qualities and antioxidants.
- Starve: Exhibit A : Starve is a new series of blended imperial stouts and/or barleywines aged in spirit barrels for various lengths of times to create a complex, one-off, incredible final blend. Sometimes they might be smaller blends, or experimentation with adjuncts, but this series will primarily showcase blended, barrel aged imperial stouts and/or barleywines. Each version will be labeled as an Exhibit “blank”. This particular blend clocks in at 13.2% and features a blend of 7x different spirit barrels containing 4x different brands aged for up to 19 months. 2x Laird’s barrels containing Unloved(our imperial oyster stout), 2x Buffalo Trace barrels containing a new imperial stout brand, 2x Maple Bourbon barrels from BLiS Gourmet containing a maple imperial stout, and 1x Laird’s barrel containing Circle of Wolves (our English barleywine). Insane complexity and a beautiful full body on this one. Notes of Hershey’s milk chocolate, maple syrup drenched pancakes, fresh vanilla beans, caramel, subtle bourbon, toffee, melted brownies, and more!
- Brewer's Cut Kriek : Fruits have long been incorporated in the brewing of beer, particularly in Belgium. The brewing traditions of this stylistically prolific nation are the inspiration for Brewers’ Cut Kriek, a Belgian-style Brown Ale of subtle caramel and dark malt character aged with tart cherries from the Willamette Valley. The beer finishes clean and dry, with a hint of cherry pie enticing you back for more.
- Brownie Batter Stout : Milk Stout brewed with lactose, cocoa powder, cacao nibs, milk chocolate, dark chocolate, vanilla and of course, brownie mix.
- Dr. Funk Dunkel : Like Shaft, Dolemite and Blacula before him, guess who’s getting his own sequel? That’s right, Dr. Funk is strutting his way back to town for another go round. This Bavarian dark lager was a hit with all the ladies and fellas when the Funk was featured in the Showcase, so we've brought back the grand uncle of dunkel in his own seasonal six-pack.
- This Is Supposed To Be Fun : Smoked Peach Barleywine. Brewed with a dash of light caramel malt then conditioned for an extended amount of time on house-smoked peaches from our friend Ben @3springsfruit. Intense smoke upfront with a juicy overripe stone fruit acidity. Fall is finally upon us!
- The Witty Traveller : The Witty Traveller has finally arrived! In his trunk, the distinguished beer flavours of the world. With a top-hat in hand he's stopped in Railway City to share his knowledge and adventure. With spices from the East, the fruits of the South, and yeasts of the North enveloped in taste and aromas of far flung places. 
- Cocoa Retribution : A full bodied, single barrel bourbon aged imperial stout with smooth roasted malt flavors and rich aromas of espresso and dark chocolate. Aged for 6 months inside charred Kentucky white oak bourbon barrels with cocoa nibs to add the natural vanilla and caramelized sugar flavors of the wood, and the bittersweet chocolate, and slick, velvety mouthfeel of the cocoa to the beer. Its time to savor some...Sweet Justice.
- Oatmeal Stout : This dark brown beer is medium-full bodied and possesses a chocolate character without the harsher roasted flavors of a stout.
- Free Rise - Nelson Dry Hopped : This special edition of Free Rise, one of our signature farmhouse ales, highlights locally sourced Danko Rye from Valley Malt and Nelson in the dry hop. A zesty lime & citrus hop profile is balanced with subtle, nutty malt character and a delicate black pepper spice. Light in body, with a clean, bone-dry finish, Nelson Dry Hopped Free Rise is a welcomed addition to our family of farmhouse ales. 
- Amarillo Dry Hopped Sunshower : Sunshower is our Super Saison, a high-gravity farmhouse ale inspired by the ethereal refreshing mid-summer moments when we experience both rainfall and the heat of the sun in New England. Similar to our flagship Trillium, the mouthfeel is light and effervescent with a bright, golden hue. We allow the fermentation temperature to free-rise, resulting in a dry beer with strength and complexity. Layers of pepper and earthy characteristics that play nice with the crisp, smooth backbone of a pilsner and wheat malt bill. 
- Let There Be Light : Who says lighter beers have to be boring? Let There Be Light is Wild Heaven’s first “sessionable” beer, coming in at only 4.7%, yet FULL of flavor. Starting with both barley and wheat, we added two rare hops—Nelson Sauvin and Sorachi Ace—along with a bit of orange peel, to create a complex beer with a citrus note that will change the way you think about “light” beer.
- Congress Street IPA : Our flagship American IPA highlights the distinctively aromatic Australian Galaxy hop. The nose bursts with pine, citrus rind, melon and pineapple. Pronounced flavors of peach, clementine, and tropical fruits are accentuated with moderate bitterness and balanced by a light, biscuity malt character. 
- Beechwood Brown : Brewed with Munich malts and beechwood smoked barley from Germany and finished with a healthy portion of rolled oats for a creamy texture. This beer has a complex, malty body with a subtle smoky character.
- Smoked Peach Dark Saison : Our friends from Trophy Brewing in Raleigh joined us in Greenville to brew up a special collaboration beer…a smoked peach dark saison. This complex beer has a lot of different elements that have come together brilliantly. Dark rye, acidulated malt, Mosaic hops, lactose, and peaches smoked with Buffalo Trace Bourbon barrel wood have created this delicious saison perfect for these colder months.
- "Ray Brown" Porter : This brown porter was made with 2-row, Munich, caramel, and chocolate malts with Willamette hops to create a smooth winter seasonal: nutty and earthy with chocolate notes, just the way longtime loyal customer Ray Brown likes it.
- King Fergus Southern English Brown Ale : A royal marriage of malty, nutty, dark fruit notes balanced with an earthy hop. This beer pays homage to our brethren across the pond.
- Keys To The Asylum: Barrel-Aged Black Eye : We've taken our award winning Black Eye Imperial Porter and aged it for 8 months in a Cabernet Sauvignon barrel. The result far exceeded our expectations: think dark fruit, currant, cherry and chocolate with a hint of vanilla from the barrel.
- Tectonic Event : An ode to the West Coast style IPA made famous by San Diego breweries. A refreshingly simple malt profile makes way for a highly complex and bitter showcase of what hops can do.
- Hazy Coast IPA : Reminiscent of those days on the coast where there is a blanket of fog rising up from the tides, this New England-style IPA will envelop your palate like a mist with its pillowy body and tongue coating stone fruit hop character. Brewed with North Carolina malted Appalachian wheat from Riverbend Malt House.
- Jet Trash : Buckle up and head out West. This is a straight up West Coast IPA. It boasts super-sized C-hops aromas and bags of citrus fruit flavour, backed up with a toasty malt base.
- Brewmaster's Black Lager : This unique style of beer was introduced for all those who love their beer a little darker and a little bolder. Rich in colour & flavour, our Brewmaster’s Black Lager finishes crisp and clean.
- Dunkelweizen : Traditional dark wheat beer originating in Bavaria. Chocolate, banana bread, and clove in the nose and palate. Fruity, spritzy finish.
- Hall And Oatesmeal Stout : Smooth, rich, and sultry, just like it’s namesake. Hall & Oatesmeal stout is a fall seasonal made for sippin’ on cool days and chilly evenings. Oats provide a silky mouthfeel that blends magically with the rich dark-chocolate flavor with a dry, subtly spicy finish. Moderate alcoholic strength, full flavored, medium bodied with a dry finish for maximum drinkability and enjoyment. Private eyes are watching you…
- Dark Woods : A blend of 8 different barrel aged beers, including but not limited to our Stout, Porter, and a few seasonal beers (on the dark side of things), a majority coming from french oak barrels previously holding red wine from Cisco's Nantucket Vineyard, adding oak character. This beer is unfiltered, so some sediment is normal. It has been inoculated with brettanomyces (a wild yeast). Rich and malty with a slight tartness and a mild, intentional, "farmhouse funk" provided by the wild yeast.
- St. Feuillien Brune : This brown ale has a marked ruby brown colour with a generous and lasting head. It has a distinctive aroma reflecting the wide range of ingredients used in its production. The fruitiness resulting from its fermentation blends harmoniously with a dominant liquorice and caramel flavour. The body is decidedly malty. The bitterness is the result of a complex alchemy between the fine hops and special malts used. These give St-Feuillien Brune a typical dark chocolate appearance. This beer creates an endless variety of sensations with a lingering taste and powerful aroma.
- Four Paws - Cabernet Barrel-Aged : We rested our Four Paws Quad in Cabernet Sauvignon barrels for nearly two years, resulting in a luxurious thick bodied Belgian dark ale. Featuring a robust 14.5% ABV, this strong ale is loaded with rich malt, fig, and vinous dark fruit flavors. The beer’s sweetness is balanced by the tannins transferred from the extended barrel aging, leaving a nuanced sipper for any occasion.
- Dragoon IPA : This is a true West Coast IPA–it is pale in color, with with bracing bitterness, high alcohol content (about 7.4% abv) and a fruity/floral/citrus hop aroma. It is made from a simple malt bill: North American base and pale caramel malt. We use copious amounts of Northwest hops (Summit, Columbus, Magnum and Zythos) all throughout the boil, with most of it going in within the last 15 minutes. After fermentation is complete, we dry hop it with approximately 1 boatload of each of the same hop varieties.
- Scratch Beer 221 - 2016 (Red Ale) : Chewy, warm and tingly, Scratch #221 presents some much-needed respite from the recent chilly weather we’ve been having in Central PA. This burly winter red ale offers malty notes of gingerbread spice, toffee, molasses, and dark fruit amid subtle traces of earthy and citrusy hops. To lend a natural caramel flavor to the finished beer, we added Demerara sugar (an unrefined, large-grain golden sugar) during the boil. Let Scratch #221 warm you from the inside out!
- Imperial Stout : This massive Stout pours a mahogany black with a thick, brown head. The aroma is all chocolate roasted malt. The aroma is all chocolate and toasted malt. The first wave of flavor embraces anise and dark, bitter chocolate but opens up to include coffee, smoke and rich sweet malt.
- Big Brother : Our first beer released from our unique line of Scotch barrel aged beers. Our Big Bro appears to slowly ooze out of the tap with a beautiful thick tan head. An aroma full of coffee, raisins, cherry, and toast. The taste starts off with a big malt mouthfeel followed by chocolate and coffee. As the beer slowly warms, strong notes of stone fruits and a slight smokieness from the Scotch barrels starts to shine.
- Hefeweizen : We start with a traditional German Hefeweizen recipe, using 50% wheat malt and 50% Pilsner malt. Without being too irreverent to the original style, we add our own creative spin, with a sizeable whirlpool hop addition and the use of an American-German yeast strain, which contributes the classic Hefeweizen banana character, but with a restrained spicy phenolic character, keeping the beer approachable while maintaining the complexity of a well-crafted wheat beer.
- RCW 70.160 Smoked Porter - Cherrywood Edition : A variation on our RCW 70.160, named for Washington State's smoking ban, this smoked porter features a hearty dose of cherry wood smoked malt. Notes of leather, tobacco, and fruit abound.
- Red Rambler Ale : This ale is brewed with the finest quality pale, caramel, and lightly roasted malts. This complex combination of malts, contribute to the deep red color and malty flavor. This is balanced with the flavor, bitterness and aromas of three varieties of hops. The IBU’s are around 35. Top fermenting ale yeast is added to create this well rounded beer.
- Square Fruit : Jammy and sour Flanders-style dark ale aged in second use Darkstar November barrels. Tart cherry, sweet cherry, pluot, cranberry, raspberry, blackberry, blood orange, mandarin, currant, and boysenberry. Brewed in collaboration with our friends at Bottle Logic Brewing in Anaheim.
- Nuance Noir : Nuance Noir is a special release of our saison, done as a “black saison”. The addition of roasted malts adds color and complexity, giving our normally dry saison a bit of a toasted cracker flavor, also adding some peppery notes. Don’t let the dark color fool you, it is still a very refreshing beer that sits light on the stomach and goes down easy.
- Fur Rondy 2008 : Official Beer of Fur Rondy RondyBrew is a tawny winter ale that delivers a complex and attractive aroma of sweet malt, dried fruit, and spices balanced with a nice dose of English Hops. Malty flavors caress the palate, finishing dry and bittersweet. Rondybrew adds refreshment and celebration to the festive fare and entertaining events enjoyed during Anchorage’s Fur Rondy Festival!
- Sevens IPA : Brewed in honour of the Canada Sevens; this IPA has large notes of tropical fruit and balanced bitterness.
- Escape : Some of you may remember a pilot batch of Escape we made a few months after we opened back in the fall of 2016. That batch was experimental and was meant to be a shorter term, fresher beer. We scaled that concept up and allowed for an extended maturation period in the barrels and the results were phenomenal! Escape clocks in at 5.8%. We start Escape by brewing a batch of Master Shredder(our house IPA) the same way we would as if it was going to be canned fresh. Instead of transferring the wort into a stainless steel fermenter with our house ale yeast, we take the batch of wort and transferred it into freshly dumped red wine French oak barrels. We then pitched a mixture of a few Brett strains and ferment the wort with 100% mixed Brett strains in primary, then inoculate with our house culture and condition for 12 months. After 12 months, we pulled Escape from the barrels and dry-hopped it with the same varietals/quantities as Master Shredder and conditioned on the dry-hops for approximately a week. We then pulled Escape off of dry-hops and bottle conditioned it for an additional 2 months in bottles. Pithy, juicy grapefruit flesh, tangerine peel, Riesling-like body, beautifully balanced tartness, bright white wine grape skin, subtle oak, with a hint of sticky, dank hop aromatics. Escape is defo a production staff favorite!
- Cambrian Explosion : Foeder Aged Golden Sour w/ Red Grapefruit
- Chain Smoking Soccer Mom : Doughy and dry wheat saison with complex floral notes and a subtle smokey character in both aroma and flavor.
- Black Cauldron Imperial Stout : There are few styles of beer more flavorful than Imperial Stout. Our thick, rich version is brewed with plenty of caramel and roasted malts and subtly spiced with Cascade and Super Galena hops. We accentuate the natural smokiness of the brew by adding a small amount of beechwood-smoked malt. At 22.5 degrees starting gravity and 9.5% alcohol by volume, this beer boasts flavors of chocolate and coffee, along with raisins and dried fruit soaked in sherry.
- Snakes Alive DIPA : A heavily dry hopped DIPA for an intense aroma of lemon, blueberries & tropical fruits. the 90 minute boil adds caramel for a full body with a dry finish.
- Donner Irish Red : A malty, caramel flavor with hops that give it a spicy, citrus taste with a slight grape. Fruity, flowery aroma.
- Syzygy (Barrel-Aged Black IPA) : Behold! A provocative variation of our enticing anomaly! Our rich and complex Syzygy has consumed the wine and wood characteristics of Sonoma County Cabernet barrels. Aged for 12 months in French Oak Cabernet Sauvigon Barrels and then intensely dry hopped. It's a once in a lifetime occurrence.
- Boardman Brown Ale : A complex oatmeal brown ale that defies tradition. First wort hopped and brewed with Golden Promise malt, the Boardman starts off crisp and lightly hopped, followed by notes of cocoa, caramel, coffee and plum. Brewed specially for fall in Michigan.
- Black Creek Dark Ale : Brown ale is characterized by a warm caramel chocolate flavour drived from the roasted malts used to make it. Brown Ales, also known as Dark Ales, were the most popular beer in the 19th century.
- Red Howes : Black in color with a creamy biege head, Red Howes is a stout brewed with 2-Row barley, a blend of roasted malts and 3,000lbs of local cranberries, both Red Howes and Early Black varieties. The finished beer has cocoa, coffee and berries in the aroma and flavors of dried fruit and bitter chocolate with a slight tartness and a dry, lingering finish.
- Death By Chocolate : An enchantingly complex cream-style stout with a satisfying chocolate finish, achieved by a generous addition of imported Guittard Cocoa. Smooth, rich, and silky, this unique beer celebrates a marriage between Great Beer and one of life’s true delights – Chocolate. 2002 World Beer Cup Gold Medal Winner.
- Fresh Squeezed IPA : This mouthwateringly delicious IPA gets its flavor from a heavy helping of Citra and Mosaic hops. Don't worry, no fruit was harmed in the making of this beer.
- Smoked Porter : A full-bodied porter designed to evoke memories of campfires, woolen blankets, and good conversations shared between friends. Rich, dark roasted wood char, beechwood smoke, black coffee, and earthy, dark obsidian dust, round out this liquid campfire beer. This is the type of smoke inhalation we can safely endorse.
- Papier : Papier is our first anniversary ale, loosely brewed in the English-style Old Ale tradition using our house Belgian yeast strain. The traditional first anniversary gift is something made of paper. The Bruery is giving their loyal fans the gift of Papier, their first anniversary ale. Layered with complex flavors of dark fruit,vanilla, oak, and burnt sugar, Papier is a robust ale, surely the perfect beer to mark our first big milestone. Best for sharing, this beer is ideal for cellaring until you have a celebration of your own…if you can wait.
- Kingpin Double Red Ale : Kingpin is a full-flavored Double Red Ale that doesn’t take any lip. It showcases the spicy tone of the Liberty hop, grown in Oregon’s Willamette Valley. We start with Malted Rye and Caramel Malts to create its dark red color and distinctive dry character, then triple hop at three stages during brewing…all for an offer you can’t refuse.
- Scalene : Intensely hazy DIPA, with a strong profile of citrus, fresh herbs and stone fruit, featuring Belma, Apollo and Topaz.
- White Ale : Brewed with high quality Pilsner and Wheat malts, generously spiced with coriander and whole navel oranges. Belgian yeast provides the traditional refreshingly tart, spicy, and fruity flavor profile.
- Slumbrew Naked Hopularity : Hopheads go to great extremes in their lupulin quests. It’s a worthy endeavor, but fraught with falling across the event horizon in a hoppy stupor. With swirling flavors from both dark malts and the crisp body from pilsner grains, our limited release black IPA will take you to the center of a hop explosion and back, without all the crushing gravity.
- Wild Munich Farmhouse : Nearly 100% Munich malt, partially barrel-aged and blended back. bready, funky, dry, complex. citrus, stone, and candied fruits, light cocoa, touch caramel. house mixed-culture of bretts and bacteria (many local).
- Team Brewers I Think I Left My Shorts In Munich : A dark, rich beer with with rich, complex ready notes and chocolate-like flavors.
- Black Lager : Black Lager Style, a.k.a. ~Schwarzbier~ is flowing through the taps. As we pour you a beer you'll notice that this Lager is pretty darn dark- not quite black, but getting there. The next thing you'll notice is a subtle off-white cap of foam and a discreet, fragrant roast aroma. Hopefully the next thing you notice is that you are drinking and enjoying it. Black Lagers are in a pretty narrow category and while ours does have an apparent edge from roasted malt, the relaxed and clean nature of the Pils Malt base really makes this beer a solid drinker. Hops are from Hallertau again and ABV clocks in at 4.5 so you don't have to clock out.
- Beam Black Rye Bock (Jim Beam Barrel Aged) : This dark lager combines the characteristics of three winter beer styles: Schwarzbier, Rye Beer, and Bock. Aged in Jim Beam bourbon barrels.
- [BANISHED] Doublecross : Barrel-Aged Strong Dark Belgian Ale w/Brett
- Rummy Old Time : The “Old Time” series is a collaboration with The Charleston Beer Exchange. The base beer (a Belgian-style strong dark ale) for all four Old Times was originally brewed in July 2011, then aged in a variety of oak barrels, some with and some without a blend of brettanomyces, lactobacillus, and pediococcus.
- Whiskey Sour IPA : The crazy invention that is Limoncello IPA, the collaboration between Siren, Hill Farmstead & Mikkeller, has been aging in bourbon barrels. The infusion of the oak and bourbon has added huge layers of complexity and hits the spot as a Whiskey Sour. Slice of orange and a cherry anyone?
- Chiron's Flame : Imperial red ale aged in bourbon barrels for 16 months. Notes of caramel, dark sweet cherry, and vanilla.
- Grapefruit Ghost : White IPA with Grapefruit. 
- Blood Turning Black Aged In Jim Beam Bourbon Barrels : BLOOD TURNING BLACK is a Robust Porter aged in Jim Beam bourbon with toasted coconut shavings and square one locally roasted coffee to intensify the flavors in this decadent porter. This porter was created in our new brewery, with our propriety yeast and fermented in Jim Beam bourbon barrels for 10 months. Blood Turning Black is suitable for aging up to 3 years when cellared properly. Best stored and cellared around 55F (13C) in a dark place. Ideal service temperature is 50F (10C). Please pour carefully laving the yeast sediment behind in the bottle. Best served in a tulip class.
- Farm Porter : Like all the beers in our "Farm" series, this porter was brewed with rye and oats for a drinkable malt body. Chocolate malts offer a roasty element reminiscent of dark chocolate and coffee, and the aging on charred hickory logs takes this beer to another level. Look for a woody nose and a light hickory char at the finish.
- Riptide IPA : Riptide is an American style IPA with a brilliant balance of malt and hops. Riptide has a ruby red hue with a smooth beginning and a complex, delectable hoppy finish
- Double IPA : Light gold in colour. Citrus, pineapple, peach and grapefruit aromas on the forefront. Malt takes a backseat to the flavours from the liberal use of Amarillo, Cascade and Columbus hops in this beer.
- Bourbon Barrel-Aged Holiday Spice : Dark amber lager with clover honey, cinnamon, nutmeg, clove, ginger, and orange peel. Aged in used Great Lakes Distillery bourbon barrel.
- Abita Bourbon Street Imperial Stout : Bourbon Street Stout is an Imperial Stout that is aged in small batch bourbon barrels. Our Imperial Stout is brewed with a combination of pale, caramel, chocolate and roasted malts. Oats are also added to give the beer a fuller and sweeter taste. The roasted malts give the beer its dark color as well as its intense flavor and aroma. After fermentation the beer is cold aged for 6 weeks. This is necessary for all of the flavors of the malt and hops to balance and produce a very smooth flavor.
- Ephemeris : We brewed this IPA with balance in mind, lending equal parts of oats and wheat in the malt bill. Dry hopped with Idaho 7 & Mosaic - imparting tropical characteristics of grapefruit, apricot, and citrus. The resiny pine flavor reminds you of your footing, but be sure to look up and enjoy the canvas above.
- Altbier : Altbier, literally translated as “Old Style” beer, is a classic German ale. BBC Altbier is brewed with additions of Munich, wheat, caramel, and chocolate malts creating a delicate, but flavorful malt profile. This delicious amber colored session beer is balanced with additions of tradtional spicy German hops creating a light and floral bouquet to compliment its complex malt profile.
- Shokolad Stout : Full-bodied stout that starts with a complex, malty sweet and high-roasted character and is brewed with 44 pounds of chocolate and aged with fresh organic cocoa nibs and whole vanilla beans.
- Black Forest Robust Rye Porter : Once known as "three threads", porter began as a blend of 3 different beers of varying strength and maturity by the bartender. It wasn't until the 1720's when a brewer Ralph Harwood brewed the first porter in an effort to lighten the workload on English pub owners. Our porter is made in the robust sub-style, characterized by an increased alcohol content from that of a brown porter. Porters tend to highlight chocolate flavors along with a slight burnt/astringent flavor from the addition of chocolate and black malts respectively. Our porter also includes a small percentage of rye malt in the grain bill to add a slight spiciness. The result is a complex beer that goes down easy! A perfect beer to welcome fall and prepare for colder nights.
- Who, You? : Dark brown chocolate ale. Brewed with lactose, and conditioned on heaps of Ecuadorian cacao nibs and a touch of vanilla beans.
- Eat Your Paisley Barrel Aged Brown Ale : Brewed with hazelnuts and milk sugar, then aged on chocolate and in whiskey barrels this brown ale is bursting with rich, complex flavors. This ale has whiskey and vanilla aromas as well as chocolate and subtle nut flavors.
- Saison Dolores : Introducing Saison Dolores, Almanac’s newest year-round beer. A bright, aromatic brew for all seasons inspired by San Francisco’s Mission District. We combine barley, rye and Sonoran Wheat grown in Mendocino County and ferment the beer with our house Saison yeast. Finally we dry hop it to create a California Saison with flavors of spicy white pepper, fruity melon and a clean food friendly finish.
- Ralphius : A deep, rich, multilayered beer with notes of Baker’s chocolate, warm vanilla, caramel, dark, jammy fruits, and a hint of anise, with the undertones of smooth bourbon in the finish. A lush, velvety, full mouthfeel is supported by tannins from the oak barrel. Aged 1 year.
- Country White : The Country White Ale draws on the traditions of Belgian brewing with a modern twist. We use our farmhouse yeast strain to create a fruity profile, which is balanced against the softness of local, organic wheat and finished with a hint of citrus.
- Black Bart : A delicious blend of our Double Black and Mutiny. The rich complexity of Mutiny and the smoothness of Double Black combine to create one phenomenal beer.
- Intellectual Property Ale : This American IPA is filtered and bittered with high alpha hops from the Pacific Northwest, providing floral and herbal aromas and juicy flavors of grapefruit, pine, and orange. Intellectual Pale Ale is sunset orange colored and 100% Citra dry-hopped. Its bold hop bitterness is supported by a pale malt backbone, giving it a medium body, dry finish and zero bitter legal aftertaste…
- L1 Pilsner : This Bohemian style Pilsner has a clean, rich and complex sense of malt. Saaz hops add spicy notes.
- De Ranke Père Noël : Père Noël is a Christmas ale, though very different from any other Christmas ales you might know. While most Christmas ales are rich & sweet, this one is amber-coloured, 7% vol. Alc. strong and tastes quite bitter. The complex taste is completed with the addition of liquorice. In the recipe we can also find pale malt, Munich malt, Caramel malt, Brewers Gold hops and Hallertau hops.
- Curiosity Twenty Six : The 26th installment of our Curiosity Series is an American Pale Ale featuring primarily El Dorado with a splash of Citra hops! Curiosity 26 is built on a sturdy malt base of 2-row, carafoam, and medium crystal providing a deep orange hue and a solid backbone to a supremely hop saturated pale ale! The aroma is potent and citrusy, leading our palates to flavors of orange, mango, and a mixed bouquet tropical fruit. The finish dissolves in a soft mouthfeel and rounded pithy bitterness, vanishing quickly from the pallet and priming the next sip. A real crusher of a Curiosity, indeed!
- Carnival : American porter brewed with salt and vanilla. One sip of Carnival, and you'll feel the festivity flowing through you. It's rich and dark, with lively vanilla sweetness and complex contrast from the salt. A beer for those who dream big, gaze in wonder, and search for something just a little unique to light up their day.
- Lounge Against The Macromachine : Dark Lord aged in tequila barrels with Mekong cinnamon, cocoa nibs, guajillo peppers + tangerine peel
- Moirai India Pale Ale : This beer is defined by its pronounced hop bitterness, flavor and aroma. It has a solid malt backbone that works with the citrusy American hops. The hop bouquet resonates like flavors of tangerine and ruby red grapefruit. The mouth feel is crisp and dry leaving a balance of bitterness and rich malt on the palate. It is golden honey in color.
- Tornado Dust : A dusty 2 hop tornado combining El Dorado & Centennial. Aromas of lychee, starfruit, & mango with floral undertones.
- Sour Batch (Tiki) #1 : A tart & juicy dry hopped kettle sour with over 120 lb's of pureed Pink Guava, Mangoes & Passion Fruit, added post fermentation for a pleasant and tropical experience. Kohatu hops were added in the whirlpool and Citra in the dry hop to compliment the tartness from the lactobacillus. Get ready to pucker up!
- St. Feuillien Triple : This beer has a white, smooth and very compact head. Its pale amber colour is very characteristic revealing a distinctive maltiness. It has a rich aroma with a unique combination of aromatic hops, spices and the typical bouquet of fermentation – very fruity. Secondary fermentation in the bottle gives it a unique aroma due to the presence of yeast. St-Feuillien Triple has a very strong and exceptionally lingering taste thanks to its density and its long storage period. Whether served as a refreshing aperitif in summer or savoured during the winter months, the Triple is a connoisseur’s beer par excellence.
- The Last Aurochs Weizenbock : The Last Aurochs Weizenbock takes a traditional approach to the Weizenbock style, mixing hefeweizen yeast with the classic Bock malt profile for a bold, powerful beer. Complex flavours of dark fruit, spice and banana bread round out it’s effervescent body and deliver a delicious finish.
- 6th Nail : Imagine a bubbly white crest on top of dawn’s first light. You’ve just pictured our 6th-anniversary collaboration with the Pine Box, pFriem 6th Nail. Now imagine effervescent aromas of strawberry, plum jelly, and pine, and tangy notes of peach flesh, ripe apricots and honeydew and you’ll almost taste it. It’s dry and refreshing and bright and fruity all at once.
- The Agent : Our flagship IPA. Double dry hopped to bring out more hop presence. Flavors of orange and grapefruit with a heathy malt backbone.
- Lion Lager : Undoubtedly the best selling among our mild beers, Lion Lager has a 4.8% alcohol volume and is credited as a great thirst quencher. Golden roasted malt in colour with a hint of fruit and caramel flavouring, it is very slightly sweet with less hop notes. The attractive labeling is in sophisticated black and gold, showcasing our strong but watchful golden lion as the king of the savannah, symbolising visionary leadership and power.
- Loophole Ale : Light in body and dry, this Kölsch-style ale is a true "session" beer. Dry-hopped for accentuated hop aroma, this slightly fruity clean-tasting ale delivers a tingling, refreshing tang in the finish, with 4.5%ABV and 20 IBUs.
- Dunkler Stern : A delicious dark ale inspired by the schwartzbiers of Germany.
- Wendelinus Rossa : An aromatic and fruit-packed beer yo be enjoyed on every occasion… 
- Never Never Backdown Backdown : Never Never Backdown Backdown is the double fruited version of our apricot gose Never Backdown. Clocking in at 5.1%, Never Never Backdown Backdown is conditioned on over two tons (literally) of apricot purée. Insanley bright, fuzzy apricots in your nose and mouth hole that keeps going and going.
- Ghost In The Graveyard : A dark roasted ale with German malts, a touch of wheat and orange blossom honey. This beer also gets spiced with a special blend of nutmeg, cardamon, clove, cinnamon sticks, orange peels and some other trade secret spices. As if that wasn't enough, once fermentation is underway we pump in fresh blueberries.
- Easter Porter : Malt: Pilsner, Munich, Smoked, Dark Crystal, Pale Chocolate. Roasted Barley. 
- Satan's Bake Sale Mint Chocolate Chip Stout : This stout is smooth, dark, full-bodied, and satisfyingly rich. This brew is aged on fresh peppermint leaves and dark Wilbur Chocolate, giving this stout a powerful aroma and pronounced mint chocolate chip flavor.
- End Of Story : Orange Juice Concentrate, Grapefruit, Cooling, Clementine, Mandarin.
- Back East Ale : Our Flagship offering, Back East Ale is a medium-bodied amber ale. This amber-colored beer features a subtle fruity aroma with hints of vanilla and peach. It has a smooth malt character that is nicely balanced with just a slight hop bitterness and a clean, crisp finish. Once you taste this favorite, we're sure you'll be reaching for another "Back East"!
- Truth : Rare are moments of truth, when you've struck the last match, belting out tunes with your friends, staring deep into the campfire-times when you feel infinite. Our truth is found in the scintillating brilliance of hops. Brewed with a nod to the pacific, hops sizzle with tropical fruit aroma, grapefruit & mango notes and a dry finish.
- Snopptorp Starkporter : Malt: pilsner malt, münchner malt, dark caramel malt and chocolate malt.
- Chimay Grande Réserve (Blue) : Originally brewed as a Christmas beer in 1948, this dark ale has rich flavors of mulling spices and caramel, with a smooth palate and warming finish.
- Arbre Dark Wheatwine (Alligator Char) : We brewed a dark, decadent wheatwine-style ale with chocolate wheat malt to accentuate the richness imparted through barrel-aging. We then divided the beer into three components, laying each down in new American oak barrels with varying degrees of barrel toast and char. This release showcases the robust, charred and dark chocolate notes contributed from aging in alligator charred oak barrels. Taste it side-by-side with its light toast and medium toast counterparts to bring the barrel-aging journey full circle.
- Fhloston Paradise : Medium-light bodied sour wheat ale with grapefruit peel & juniper berries. - Grains: Pilsner, Wheat, Munich; - Hops: Hallertau
- Barrel Aged Provenance : Barrel-aged Provenance is a very small blend of Batch 1 Lemon & Lime and Batch 1 Orange & Grapefruit aged for about a year in the Mezcal barrels previously containing Encendia in 2013. It will be available on draught only. No bottles were packaged.
- Begbie Cream Ale : Mt. Begbie Brewing's original signature beer, brewed first in 1996. Begbie Cream Ale is a fruity ale with a subtle honey flavour. A delicious, golden ale, delicately fruity, with a subtle honey flavour that finishes with a crisp hop edge.
- Rye Pale Ale : Pale ales are ubiquitous and are probably the single most important style of beer to have introduced the concept of 'craft'. Pales are a fairly quick beer to brew- many examples are ready in a couple of weeks- and appeal mainly in that they are quite often balanced beers without too many distractions and without too fine a point on it- they taste like beer! Our Pale Ale is loaded with Rye malt (about 20%) which adds some viscosity, richness, and a slightly spicy finish. We use a fair bit of caramel malt for color and our American hop charge has a slight bite and piney finish. All this said, I think our Pale shares a few finer points with its sister style - Amber. Our 'Pale' is pretty dark and has a pronounced richness from caramel malt.
- Truth Against The World : A 100% wheat Saison brewed with German light and dark malted wheat, caramel wheat, and a touch of chocolate wheat. This is a showcase for wheat malt and saison yeast flavors.
- Chunky : Peanut butter is often best served straight from the jar. You could drink straight from the bottle, but we recommend you pour this dark elixir into a glass to fully indulge in its decadence. Layers of roasted peanuts meet waves of chocolate and graham cracker flavor, eliciting fond memories of years past. Deep within the darkness of this ale lies subtle fruit reminiscent of peanut butter and jelly sandwiches.
- Spin Cycle #7 - Vic Secret/Mosaic : Tropical fruit notes, low clean bitterness, and a soft palate.
- Ramstein Winter Wheat : Rich creamy head with bouquet of Wheat malt, black current, clove, and apple. Deep full flavors of caramel and chocolate malt balance with hops for a smooth warming character. Smooth malt leads to a subtle alcohol and dark caramel finish. The wonderful balance of this beer provides a complex profile hiding the 9.5% alcohol content. The perfect companion for a cold winter night.
- Roasted And Confused : An English Porter with chocolate and nutty characteristics to balance the mild roastiness.
- Off To The Witch : …and we may never, never come home. We got a little psychedelic with this one mixing a Belgian Wit and an IPA. What you get are notes of citrus and fruit with a mild hop finish.
- Awkward Uncle : This Belgian Dark Strong Ale is big and boozy, just like the best and worst family gatherings. The rich malty sweetness of this festive ale is balanced by plentiful amounts of cherries, ginger and cinnamon. This beer contains a lot of good cheer. Enjoy responsibly.
- Yeah Peaches : A Peekskill Brewery foray into the world of soft fuzzy peaches brewed with a blend of our flagship ale and Belgian ale yeasts. Pale, hazy, golden and fruity with a lemon finish.
- Enclosed Entity : Enclosed Entity is a bright and fluffy Saison. Fermented with a blend of our Magickal Saison yeast and our Emptiness culture. As primary fermentation slowed, we tossed in heaps of pungent papaya purée. The resulting beer is incredibly vibrant and dripping with ripe white peach, tart pink grapefruit, and just real nice classic peppery Saison notes. Brewed at our precious BrewCafé in April 2017. Bottled in May 2017.
- Hop Project No. 002 : For iteration No. 002 in our ongoing liquid experimentation project, we combined copious additions of Centennial, Simcoe, and Denali hops to create this fragrant IPA bursting with tropical fruit aromas.
- Hold On to Sunshine (Chocolate Truffle) : For this rendition of Hold On To Sunshine, we added a small amount of cocoa dusted truffles to amplify the cocoa fudge characteristics of the base beer. It has all the delicious flavors you are accustomed to - rich milk chocolate, dark brown sugar, creamy espresso, and chocolate covered peanut butter cups - with an extra layer of chocolate complexity. It is never overtly saccharin, with a firm coffee acidity balancing things out, making it enjoyable to drink as it warms. A fun experiment and one we are pleased to share with you as we welcome September!
- Dunkel : Dunkel” means dark, and our Dunkel copies the traditional brown Munich lager that was the most widely drunk beer in Bavaria at the turn of the 20th Century. Dunkel is made from amber colored Munich malt. Germans approach dark beer from a different direction than their Belgian and British neighbors. Instead of using a small amount of high-color, dark-roasted or caramelized malt, Germans use a lot of low or medium color malt that avoids the acrid bitter roastiness or burnt sugar flavors found in stouts and porters. Dunkel is a medium -bodied beer with a slightly sweet, toasted bread crust malt flavor and smooth finish accentuated with just enough noble bitterness to balance the malt.
- Buddha’s Hand Pale : Brewed in collaboration with homebrewer Tyler Smith for the 2012 Great American Beer Festival Pro-Am competition, Buddha's Hand Pale is a American-style pale ale brewed with Citra, Simcoe, and Amarillo hops, and Buddha's Hand citrus fruit for an extra citrusy punch.
- Stellar IPA : Stellar IPA is brewed with German Pilsner base malts, along with Crystal malt from Patagonia to give it a striking apricot color. This beer has 5 different hop additions to give it a big, bold prominent nose with tropical fruit and floral aromas. The powerful aroma tricks the taste buds into thinking this beer is not very bitter.
- Western Culture : Western Culture is our lambic inspired beer. We run this beer thru our coolship to capture wild yeast. The beer is then either racked into barrels to age, or is added to fresh wort to increase our batch size. We then age things for 18 months or longer. Funky and sour and super complex.
- Highland IPA : Lager than life Highland IPA with a massive American influence. Powerful Amarillo bitterness exploding with late citrus flavours from Centennial hops and grapefruit from the Perle.
- Bob's '47 Oktoberfest : Our fall seasonal beer, Bob’s ’47 Oktoberfest is a medium-bodied, dark amber brew with a malty flavor and well-balanced hop character. With this Munich-style lager we salute our friend Bob Werkowitch, Master Brewer and graduate of the U.S. Brewer’s Academy, 1947.
- Brass Knuckle : A hard-rocking Pale Ale that smacks the lips with tasty bitter hops and citrusy grapefruit shots to the nose. It finishes crisp and dry, sustaining like a windmill power chord. All of a sudden it hits you...this is the one.
- Thirst Blood : This is our ever popular Halloween beer. Devilishly dark, mysteriously malty bitter made with scarily spicy hops. This dark ale has many fans and is always well received each October.
- Black Forest Summer Wheat : Our summer wheat shows the diversity of what a wheat beer can be. When compared to our Hefe-Weizen it is much cleaner in flavor as the flavor components famous in our Hefe, such as clove and banana, are a result of the yeast used. For the summer wheat a German ale yeast is used and over 60 pounds of fresh Asian pears were added directly to the fermenter. The pear results in a bit drier finish and a slight fruitiness in the finish. This is an easy drinking beer perfect for 90 degree day with equal humidity.
- Noble Empire : In our 20th year, we had the good fortune to grow, expand, and relocate to our new home on what was originally named Empire Street. The city soon recognized us by renaming that street to AleSmith Court, a rare honor. Now at our larger facility, we continue to explore our passion for complex beers and expand our barrel-aging program. We have thus created Noble Empire, a brawny, complex, imperial version of a traditional English-style porter as a tribute to craftsmanship of the highest quality. Rich with chocolaty flavors derived from a variety of specialty malts, this beer has patiently found the delicate balance between sweet notes of vanilla and toast from the bourbon barrels. Enjoy this tribute to the former Empire Street and its noble evolution for the sake of craft beer. Cheers!
- Arbre Light Toast : The Arbre series is an exploration of barrel toast. We brewed a rich, malty imperial stout and divided it into three parts, laying each down in brand new American oak barrels from our friends at Kelvin Cooperage in Kentucky. This variation of Arbre spent time resting in lightly toasted barrels and reveals notes of oak as well as raisins and just a hint of smoke. A remarkable beer on its own, but even more exciting when tasted side-by-side with its medium toast and dark char counterparts for a truly educational experience.
- Swirl Stout : Swirl Stout is a Milk Stout brewed with cacao nibs, vanilla, and milk sugar. The aromas are bold and sharp, reminiscent of a decadent chocolate liqueur or Kahlua. A satisfying blend of sweet creaminess and dark chocolate create the perfect balance. Roasted bitter flavors are noticeable, but its a lingering sweetness that ultimately drys the palate.
- True North India Pale Ale : An ultra-premium all-malt classic English-style India Pale Ale at 6.5% alc./vol. Enticing deep gold colour. Nutty malt aromatic nuances with spicy, grassy and fruity hop aromas achieved by dry hopping. Spicy, grassy and fruity hop flavours are combined with an assertive bitterness and mellow smooth malt flavour. Typical yeast-derived ale fruitiness and warming alcohol make this India Pale Ale a true-to-style classic. Enjoy with mulligatawny soup, roast beef, meat pies and stews, cajun fish, curry dishes and spicy foods, haggis, and strong cheddar and blue cheeses.
- Pomegranate Sour : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Space Confetti : Mashed with local barley from Riverbend Malt House and flaked oats. Fermented with our clean and crisp house saison yeast blend. Injected into the fermenter with one whole actual ton of New Appalachia. Feremented again on the peaches until bone dry. This quenchable and crushable fruit beer has a lovely peach skin aroma that follows into the taste.
- Maltster Of Puppets : Americanized version of an English ESB; kinda like an old school pale ale. This beer is full bodied and malt forward from rye, Irish pale malt and English dark crystal malt. We also added just enough Amarillo and Motueka hops to balance the caramel, biscuit and spicy rye malt character. 
- The Grey Lady : Named for the often foggy island where it is brewed. This wheat beer is fermented with Belgian yeast and brewed with fresh fruit and spices.
- IPA : A copper-colored, super hop-infused ale with citrus, pungent pine and tropical fruit aromas. Hopped with Simcoe, Chinook, Centennial, Cascade, and Amarillo hops.
- Vic Secret Dry Hopped Fort Point : This dry hopped pale ale contains the same malt bill as classic Fort Point, but with a dry hop of Vic Secret. Pouring a hazy golden color, Vic Secret Fort Point emits herbaceous aromas of lime, and mellow citrus. Strong grapefruit pith & biscuity flavors wash the palate with the familiar smooth mouthfeel and medium body of our signature pale ale.
- Motif Reserva : Dark Belgian-style Sour Aged in Sherry Casks
- Crooked Stave Wild Wild Brett "Orange" : Wild Wild Brett Orange is an unfiltered, slightly tart wild ale, fermented entirely with Brettanomyces yeast. Brewed with fresh Minneola tangelos, bitter orange peel and coriander, Orange pours a golden color delivering tropical fruit aromas and bright orange citrus flavors with a tart earthy finish.
- Oatmeal IPA : Our Oatmeal IPA will change the way you look at IPA! Brewed with a generous portion of flaked oats that provide a creamy, velvet-like mouthfeel, this IPA takes nearly all of its hops (Chinook, Mosaic and Citra) as late additions and dry hops during fermentation, resulting in big aromas and flavors of grapefruit and cantaloupe with very little bitterness. Enjoy this beer, best paired with sunshine, friends and good vibes.
- Roza Reserve : A rich copper color with robust earthy malt characters. We have layered various depths of Crystal Malts for a complex, warming experience. Traces of vanilla and spicy floral hops culminate in the "BIG" yet well balanced classic style. 
- Red Rock Positively Porter : Inspired from the now wavering English Porter, the American Porter is the ingenuous creation from that. Thankfully with lots of innovation and originality American brewers have taken this style to a new level. The hop bitterness is minable and well balance with dark malts.
- Giantsbane : Giantsbane is a Double Stout brewed with a complex amalgamation of dark and roasted malts. Black, roasty, and hefty.
- Golden Scepter : Our Belgian Golden Strong Ale brewed with a touch of fresh grated ginger and pitched with a Belgian yeast strain for a funky, fruity aroma and taste profile.
- Leaking Staves : Golden sour ale, aged in oak with NY grown cabernet grapes. Tart, lightly acidic, with jammy and fruity notes. 
- Sticky Hands : Offering a luscious blend of flavor and drinkability, this Hop Experience Ale features ample additions of sticky, lupulin-packed hops, grown in the Pacific Northwest. The result is an aromatic blast of citrus, tropical fruit, and dank herb that transitions into resinous hop flavor and a delightfully balanced finish.
- Hogback Amber Ale : Named for the Colorado landmark, this deep amber ale carries a rich bready malt character with notes of caramel, fruit, citrus and spice. Balanced by a clean bitterness and fresh hop character; this is a little session ale with a big attitude.
- 077-07871 - Mosaic : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-07871 is the Dubviant tuned up with an exclusive Mosaic third dry hop inspired by the places that get it in Sparta. Mosaic seduces 0’dub’s mix of dank resins and tropical fruits with its slutty mix of all the aromas attractive in new world hops. Drink 077-07871 and immerse in hedonism.
- Dry Hop “Bling” Pale : The more I drink and think about Pale Ale the more endearing it becomes. Pale Ales are straightforward beers and their charm comes from dedication to simplicity. But there comes a time in every brewers life (read daily) when he or she wants to add that little bit more... Hence the Dry Hop! What are dry hops? Simply hops added in the fermenter or cask - not boiled in the kettle. Dry hop additions do not impart the bitterness that kettle hops do and add a surreal hop resin texture to the beer as a result. In the end we are left with our beer a little less balanced than our status quo but the energy that the prominent hop note affords is pretty cool as it stands apart. Cascade is a classic hop for this technique as it lends a heavy grapefruit note which operates as an acidifier to the malty brew.
- Dogbolter : Dogbolter is a Munich-style dark lager. Central to this style is a rich malt character reflected in the make-up of the grist. We carefully selected six different malts including Pale, Crystal, Wheat, Chocolate Malt and Chocolate Wheat to deliver a rich caramel, chocolate and toffee flavour. Chocolate malts also give Dogbolter its dark ruby colour.
- Easy A Session IPA : Just in time for summer, Easy A Session IPA seems bigger than it is. Heavy use of Mosaic hops gives the beer a complex aroma and taste of pine, citrus, and tropical fruit. Low enough in alcohol to enjoy more than one, but interesting enough to satisfy your cravings.
- Sass On The Side : Sass on the Side is an American Brown Ale. It pours a dark reddish-brown color and has tons of nutty and toasty flavours. This is a delicious beer on its own, and it also pairs well with many types of food. We happen to think it is the perfect choice to have with a burger or steak.
- Vienna Lager : Our Vienna Lager is a great example of this classic beer style. It pours a bright and clear rich copper color with a foamy white head. The aroma is slightly toasty caramel with hints of grassy hops. The taste and mouthfeel present a smooth malt character, almost nutty with hints of cedar and toasted bread. German noble hops lend a fresh, grasslike note that balances but doesn’t override the kilned malts. This is perfectly crisp and easy drinking beer for cooler nights on the North Shore.
- Straight Pipe Stout : Premium Maris Otter malt for a strong base blended with English roast and lactose sugar. Hopped with traditional English Fuggles hops. A big stout where a dark rich chocolate milk meets with the essence of coffee.
- Troegenator : Monks had fasting figured out. No food? No problem. Just drink a Double Bock. Thick and chewy with intense notes of caramel, chocolate and dried stone fruit, ‘Nator (as we call him) serves as a tribute to this liquid bread style.
- Mean Old Tom : Our American-style stout aged on organic vanilla beans. Intense notes of coffee and dark chocolate lead way to subtle notes of natural vanilla. Flaked oats generate a silky mouthfeel.
- Brewer's Alley Oatmeal Stout : Yet another British style. Stouts are black beers which have strong roast and burnt characteristics. The dark malts used give this beer a wonderfully rich aroma and taste. It is not hopped very heavily and oats are used in this particular style because they lend a fuller mouthfeel.
- Vendel Imperial Stout : Dark and luscious, Vendel Imperial Stout is a big roasty beer with a wonderful aroma of coffee and dark chocolate emanating from its light brown head. Brewed with flaked oats for a creamy, satisfying mouthfeel, you’ll experience flavors of dark-roasted coffee and rich, bittersweet chocolate. Vendel’s recipe includes Sumatra coffee roasted locally at the Coffee Factory in Derry and is the perfect beer to warm up with during the harsh New England winters.
- Northwinds Winter Ale : This is a wee-heavy Scottish with a deep mahogany color. This is a malty brew with flavors of dark currants and roast. We use peat-smoked malt to add a Scotch whisky aroma. This is a February winter warmer.
- Good Good Northeast Double IPA : GOOD GOOD is our wonderfully hazed out new-school Double IPA. Pale yellow, with a cloudy head that leaves creamy lacing. The mouthfeel is pillowy and resinous with a soft lingering bitterness. Big fruity punches of citrus, peach, and pineapple play with pings and pangs of spruce sap, spearmint, hemp, and heady dankness. The finish is straight hop resin that lingers long after each sip.
- Hopper Trail : Grapefruit, citrus, bitter. 
- Sang Noir : Sang Noir is a blend of imperial spiced red ales aged in bourbon and wine barrels with Bing cherries for up to two years. Pouring a deep mahogany brown, this Northwest sour ale features rich flavors of dark roast malts, bourbon, black cherries and port wine. 
- Steam Punk (Dunkelwiezenbrau) : As the name suggests this is a Dark Wheat Beer. Traditionally a German “Wheat Ale” this light bodied, crisp flavored cold Ale has become one of Vancouver Islands favorite brews. This beer has a refreshing graininess in the flavor profile with the addition of 35% White Wheat.
- RiverBREW Crown Maple Irish Red : What happens when 2 local companies decide to get together to give back? You get “riverBREW: Crown Maple Irish Red”. In partnership with Dutchess County’s Crown Maple Syrup, we are proud to bring you our latest creation. An Irish Red brewed with Crown Maple’s Grade B Extra Dark Syrup. A portion of the proceeds from the sale of this beer will be donated to Team Fox of the Michael J. Fox Foundation. Last year, we teamed up with a local family, the Kelly’s, to host “riverBREW” in our taproom. The event was a huge success, raising over $10,000 for Team Fox. So this year we wanted to step it up. We created a beer specifically for the riverBREW 2.0. Irish Red’s are a style particularly near and dear to the Kelly family. And the resulting beer is a true delight: a nice maple aroma, a beautiful red/amber color, and a smooth and well-balanced experience. And with each glass you enjoy, know you’ll be drinking for a great cause!
- Black Yak : Brewed in honor of the black yak, a symbol of strength and fortitude in Tibetan culture, Black Yak has all the power and spirit of a charging wild beast. Brewed with Highland Qingker Barley and black and caramel malts, Black Yak has supple coffee bean and dark chocolate overtones. Open a bottle and let the Yak out.
- 20" Brown : "Named after the enormous Brown Trout found in Northwest streams, this beer lives up to the legend. 20" Brown is medium bodied and has an extremely complex malty character. Using 6 varieties of Northwest grown malt, we created a masterpiece of color, aroma and flavor. Set your hook in one of these and you won't be disappointed!"
- Bankston 88 : Bankston 88 is a wheat-based belgian pale ale that combines light citrus flavors with a blend of belgian yeast and west coast, and Japanese hops. Centennial and Sorachi Ace hops, contribute to aromas dominated by lemon verbena, grapefruit, cedar, and gardenia flowers. Flavors include fresh bread, lemongrass, a variety of acidic fruits such as meyer lemon and grapefruit. Mouthfeel is both crisp and mouth-coating due to a large proportion of wheat. In the end you have a complex, balanced beer that proves that a session beer can have incredible depth of flavor all while remain light and undeniably drinkable.
- Schlafly Raspberry Hefeweizen : Our Raspberry Hefeweizen is a true fruit beer, not a fruit-flavored beer. We add pureed raspberries to our Hefeweizen during the primary fermentation process. Although we add no sugar, color or flavors, the resulting beer is a hazy pink color, with citrus aromas from the wheat and a flavor that is neat and tart. While this beer is low in bitterness, it is not overwhelmingly sweet, making it a thoroughly drinkable beer for the season.
- W4 Gose : Subtle lime and floral notes from the hops combine with light citrus flavors imparted by the coriander and deep minerally water profile to make this complex but crushable Gose. Drink with oysters and/or seafood.
- Black Caddis : The first beer we ever made and one we'll never tire of. A dark porter brewed with chocolate rye. The special blend of malt imparts a delicious chocolate, coffee-like flavor. Simple, smooth and delicious.
- Spoiled Brat : Spoiled Brat is a highly carbonated "Lambic style" ale. We infuse pineapple and ginger with champagne-like yeast, then slightly hopped for a mild fruity Island flavor. Served in a champagne flute, it’s called our “Tropical Beer Mimosa”, and is sure to please.
- Midnight Mild : A medium strength mild with a real fullness of character and flavour. Dark and subtle.
- Northwest Red : A Northwest American-Style Red Ale with deep red color. Big malty aroma with hints of caramel, slightly roasty. Aroma is balanced with citrusy American hops. Flavor comes through as a nice balance of specialty malts, NW hops, and a firm bitterness. Medium to full bodied mouthfeel. Finishes fruity, hoppy, and slightly sweet.
- Black Hops : A Cascadian dark or black IPA. Adding the majority of the dark grains at the end of the mash gives black color without all the roast flavors allowing the hop flavor to come through. 8 hop additions including mash and first wort give this dark brew a big hop aroma and flavor.
- Hustle : The waning days of summer have us thinking about more comforting beers, and Brendan’s latest effort on the 5 BBL fits the bill perfectly! Hustle pours a dark mocha color in the glass with a deep brown head, emitting rich aromas of chocolate, brown sugar, and even a hint of smoke... The bold flavor evolves beautifully in the glass buoyed by a lush mouthfeel - we taste fudgey chocolate, cocoa powder and robust roasted malts balanced properly by an assortment of sweet dark fruits. We imagine this one to be the perfect accompaniment to a late night by the fire with friends. . . A small yielding small batch - enjoy it while it lasts!
- Total Blackout : Imperial Cascadian Dark Ale made with hops picked during the 2017 Solar Eclipse at Goschie Farms in the Willamette Valley.
- Cogsman Ale : Deep golden in color. Clean, crisp, ale hopped with traditional English hops. A slight fruitiness gives way to hop assertiveness.
- Quawpaw Quarter Porter : Named after Little Rock's historic section of town, this porter gets its dark, rich reddish-brown hue from a combination of crystal and chocolate specialty malts that give it a full-bodied malty flavor and aroma.
- Blazing Barrels Mild Ale : A dark, low-gravity. malt-focused British session ale readily suited to drinking in quantity. Refreshing yet flavorful, with a wide rage of dark malt or dark sugar expression.
- Syrah Barrel-Aged UltraViolet Blackberry Sour Ale : UltraViolet was tucked away in 6-year-old Syrah red wine barrels for 9 months. The flavors of oak and ripe fruit meld with the sour blackberries for a delicious flavor.
- Grapefruit Pale Ale : This rosy pale ale arrives like a warm ray of sunshine on a cold fall day. A considerable dry-hop of Simcoe and Amarillo elevates the grapefruit to extraordinary levels, reminding us of summer brunch and picnics in the park.
- Nut Brown Ale : Like the rich, dark brews of southern England this traditional ale draws on specialty malts such as chocolate, caramel and black patent. “Nut Brown Ale” is a deliciously flavourful dark beer like those popular in early Nova Scotia.
- Cantillon Super Blend : For our 20th anniversary we asked Jean Van Roy at Cantillon to make a special blend for us. This time we wanted something spectacular without fruit. Something hat would age beautifully in our cellar and that we can enjoy in 20 years from now. This is a blend made of 75% 30-month old Iris and 25% 44-month old Grand Cru Bruocsella styled lambic. We hop that this beer will continue to develop and mature over the years to symbolize the progression of Akkurat and our friendship with the beautiful Cantillon brewery.
- Schell's Snowstorm 2015 : The Snowstorm of 2015 draws inspiration from the artisanal and experimental traditions of the Wallonian brewers to create a malt-focused brown ale with hints of nut, biscuit and stone fruit.
- El Niño Blonde : Straw yellow in color, our house Blonde ale is packed with characters of honey wheat, fruit ester, floral hops, and cracker grain. This blonde is light and approachable with thirst quenching crispness.
- Snow Hands : The cold weather "sister beer" to our favorite summer refresher Sun Hands, Snow Hands is our big, deep amber trappist-style Dark Strong Ale brewed with dark candi syrup and a variety of toasted malts, then spiced after fermentation with foraged spicebush berries & fenugreek seed and dry-hopped with a variety of tasty hops.
- IPA : Our IPA is a modern take on the West Coast original. We add the majority of the hops late in the brewing process resulting in a huge hop aroma of citrus fruits balanced with herbs and pine. Flaked wheat and Optic malt add some complexity and body, but this beer is all about hop aroma and bitterness.
- Mosaic Sunrise : Brewed with 100% Mosaic hops and augmented by our new German-engineered hop extractor, Mosaic Sunrise IPA is an unsurpassed hoppy experience. Layers of tropical fruit & big, bright aroma create a refined and inviting Golden IPA. A new sunny day has dawned on EBC!
- State Street Stout : Creamy and substantial, this brew is bursting with the flavor of dark roasted grains. Oats add a soft velvety texture that blends well with the distinct malty flavor. An excellent beer to finish any meal!
- Invisible Orange : This is Invisible Orange and it is a “subtly-fruited” Belgian-style porter that is age din French oak wine barrels for 18-months. Invisible Orange uses Chocolate malts, blood orange pulp an zest.
- 10 Lizzy : The Scottish were some of the first in the UK to brew lager beers. Prior to this, they brewed ales at lower than normal temperatures with small amounts of dark malts. The Scotch ale is a higher strength version of this type of ale with clean malt aromas and flavors and a touch of crystal malt. Malt sweetness dominates this beer’s flavor.
- Black Friday : This Barrel aged Belgian quad has all the boldness and complexity you’d expect from the style. This rich malt driven beer has notes of dark fruit and caramel supported by yeast driven apricot and pear flavors, and complimented still by the oaky character of the brandy barrels it was aged in. This beer has a warming alcohol presence and a tart finish, and pairs well with venison, sharp cheddar, and Peking duck.
- DryHop / Black Acre - $4,000 Suit : Come to DryHop in your $4000 suit? Come on!… In case you did, we teamed up with our friends at Black Acre Brewing to fancy up this Brut IPA for you. Fermented with a special Norwegian Hornindal yeast blend along with Viognier wine grapes, then dry-hopped with Hallertau Blanc and Nelson Sauvin hops. Fruity, floral notes of white grape, citrus, and green melon. Finishes very dry and effervescent. As Gob would say, “Taste the happy!”
- Mangoveza : In tribute to our southern neighbors, we crafted an unparalleled contrast of sweet and heat with Mangoveza. Fruity bitterness upfront followed by a burst of habanero warmth provides a well-balanced IPA—unlike any other spicy ale. Come explore the uncharted territories of this invigorating IPA.
- Big Rock Dunkelwizen (Kasper Shultz Line) : Malty and complex with hints of chocolate, caramel, coffee, toasted wheat and a subdued hop bitterness.
- Bourbon O.E. : Bourbon O.E. or B.O.E. as we call it in the taproom has garnered a strong following since 2013 when it was first released. This beer boasts balance above all with beautiful vanilla, oak, and char characteristics balanced out with the malty complexity of a true English Barleywine.
- Elephant Hill Hefeweizen : An American wheat ale served unfiltered, leaving the yeast and B-complex vitamins in the glass, offering superior quenchability! Try it with a lemon.
- Pathways Saison : Pathways Saison is a mixed fermentation beer blended from a lot of barrels varying in vintage from three to nine months. Multiple yeast and bacteria strains develop complex flavors and aromatics within a saison base featuring classic malt flavors alongside an attractive hop profile with herbal, grass, and soft lemon notes. 
- Black Butte XXIV : Brewed with dark chocolate nibs, Daglet dates and Mission figs.
- Possum Trot Brown Ale : Unmistakably malty, Possum Trot draws its inspiration from the classic brown ales of England. This unique style, given Kansas City’s original nickname, combines a variety of barley to produce a toasty, nutty malt flavor with a slight hop bitterness in the finish for balance.
- BarbieSwine : Brewed in the classic English style, this barley wine is a tapestry of rich malt character, and complex aroma. [Contains Lactose]
- Coffee Stout : Our Coffee Stout is rich and smooth with just a hint coffee flavor. It is crafted using five different malted grains, which results in dark color and flavors of chocolate and heavily roasted malt. We then partnered with Des Moines based U.S. Roasterie to select a Mocha Java coffee to add depth and flavor to beer. We think it turned out great and hope you will agree!
- La Kedgwick : This golden lager, extremely complex yet very light, is smooth with a crisp bitterness. It gets its spicy and herbal taste from plenty of noble German hops. It’s as crisp as an early morning Atlantic salmon rise, as cool as the Kedgwick River’s rapids and as clear as the moon over the Forks.
- Bavaria Oud Bruin : Doesn't fit to Flanders Oud Bruin beer style category. Fits to Oud Bruin from Netherlands. It means uncomplicated in aroma and taste, low alcohol (usually 2,5% to 3,5% by ABV), semi-dark (amber) to dark lager with dominant sweetness.
- Sixfold X: Flanders Red : A traditional Belgian sour aged in oak barrels for for over a year to create an intensely sour beer with a complex malt bill to add an additional layer of character. 
- Common Dry-Hopped Session Ale : A mild American Pale Ale brewed to be highly refreshing and drinkable. This gem has a citrusy and fruity hop aroma with light malt notes. (Common is not a reference to the California Common style.)
- Tight Pants : Everybody's talking about our Tight Pants. It's crisp, dry and refreshing with notes of fruit and spice. Get your Tight Pants on.
- Wandering Monk Ale : The Wandering Monk is our Fall Migration prior to barrel treatment. Wandering Monk is a trappist-inspired Belgian-style pale ale. It has slightly sweet malt notes that are complemented by fruity and spicy notes that come from the Belgian yeast strain and Styrian Golding and Tettnang hops.
- Scratch Beer 123 - 2013 (Belgian Style Brown Ale) : For this latest Scratch Beer offering, we’re revisiting one of Chris Trogner’s favorite beer styles. Over the last two years, the Belgian Brown Ale has become his anniversary beer of sorts, and we have released a variation on the style each November since he tied the knot. The flavor of Scratch #123 originates in the Abbey Ale yeast strain, which produces a distinctive fruity character akin to dried dark fruit (think raisins or prunes). On your palate, the dark fruit flavor continues, adding traces of toffee, chocolate, caramel, and dark rum as well as delicate spices, roasted nuts, and lightly toasted grains. The addition of Belgian Candi sugar bolsters the ale’s sweetness, while Turbinado sugar releases a subtle molasses flavor. Scratch #123 finishes with a faint floral hop note that ties everything together.
- Golden Spur : Golden Spur is a crisp refreshing Belgian ale brewed to highlight the complexities of traditional Belgian Saison yeasts. A warmer fermentation increases the yeast’s natural phenolic & ester production – enhancing banana and clove flavors and imparting a slight tartness.
- Confluence Ale : Allagash Confluence Ale is created with a mixed fermentation; utilizing our house primary Belgian style yeast in combination with our proprietary Brettanomyces strain. The two yeast strains work in tandem creating a marriage between spice and fruit flavors that ultimately leave a lingering silky mouth feel. Confluence is brewed with a blend of both imported pilsner and domestic pale malts as well as a portion of caramel malt, resulting in a complex malty profile. Tettnang and East Kent Golding hops are added in the brew process to balance the intricate malty profile while adding a sweet and spicy citrus aroma. After fermentation, Confluence undergoes a lengthy aging process in stainless steel tanks to enhance the flavors. Prior to bottling, it is dry hopped with a Glacier hops, providing a pleasant balance of aromas.
- Oktoberfest : Oktoberfest is a complex, malty, bottom fermented lager. It has a wealth of flavor and a slightly caramel character. Hops are used sparingly so as to provide balance to its clean personality. Aging for over five weeks gives this lager a round smooth taste. Oktoberfest is an American term for a German beer style and is meant to be enjoyed year round.
- Stone Hammer Pilsner : This beer was built to cleanse and refresh. A straw coloured golden beer with light white head on top. The light aroma brings grainy pilsner malts, fresh aromatic hops and nuances of dried fruit. On the palate it is crisp, lightly hopped beer with an unassuming ability to quench your thirst.
- Samuel Adams Barrel Aged Kriek : This beer is aged on a bed of Balaton cherries, which are prized for their depth of flavor, for an intense black cherry character. The dark red fruit and tart sweetness is balanced & mellowed by a rich maltiness. This specialty version of Kriek was also aged in Cognac barrels, which add notes of toasted oak, plum, and dark fruits.
- Oregon Trail Raspberry Wheat : Classic Hefeweizen brewed with real, 100% natural raspberry fruit, NOT raspberry extract. Our Gold medal says it all!
- Stampede Stout : Bold, dark and rich with hints of cocoa & coffee and a surprisingly mild finish.
- Third Ring Belgian Strong Ale : The third ring of hell is the ring of gluttony. This ale is big and high in alcohol. Don’t fall into the third ring by overindulgence. Light in color and body yet big on the Belgian flavor with slight fruity notes and plenty of residual sweetness from the candi sugar added late in the boil. Even though the beer has a high ABV, a traditional Belgian yeast was used and we aged the beer for just the right duration so it doesn’t taste or feel “hot.”
- Late Harvest : An ever changing small batch blend that uses a farmhouse brown ale base with any number of herbs or spices carefully chosen by our brewers to make a complex beer unlike any other. It’s barrel aged for roughly one year and every vintage is different. Cellar for two to four years, depending on vintage.
- Black River : Dark, roasty, chocolately, and smooth with notes of vanilla. Brewed with oats, nitrogenated and served through a stout faucet for extra creamy mouthfeel.
- Dragonmead Kaiser's Kölsch : A light colored version of the Alt Beer. This beer uses an ale type yeast at lager-like temperatures. What results is a smooth, almost fruity beer that is pleasing to the palate. A small amount of Wheat malt is used to give extra body to this otherwise "light" beer. Hallertau hops balance the malt but impart no hop aroma.
- Winter Porter : The darkest beer in our Storm of the Season line up comes out when the nights are longest. We use Dark Chocolate and Crystal malts to make this bold porter style ale. Enough East Kent Golding hops are used to flavor the brew. However, no aroma hops are added which allows the malt profile of this brew to take center stage.
- Pumpkin Bread : Dunkelweizen is a traditional German beer style that is characterized by the Bavarian Weisse yeast strain, which produces notes of banana and clove. The darker grains in this beer create the rich mahogany color and toasted bread character. The addition of real Pumpkin and our proprietary spice blend complement the banana flavor from the yeast, forming the perfect balance in our liquid interpretation of Pumpkin Banana Bread.
- Gal Friday (Guava/ Passionfruit) : Berliner Style Weiss fermented with our house Brett then conditioned on fruit 
- Modern Artisanal Tragedy : Honey Saison brewed with a dash of pink peppercorn and a touch of grapefruit purée. Brewed to seamlessly compliment our Frizzy Finger salad.
- DustStorm IPA : This fourth installment in our Storm subseries delivers a category 3 hit of hop dust to your tastebuds. This hazy IPA is whirlpooled with Ekuanot, Simcoe and Mosaic lupulin powder. It was then dry hopped with even more Ekuanot, Simcoe and Mosaic lupulin powder creating light, crisp and slightly dank flavors of grapefruit and apricot.
- Scratch Beer 231 - 2016 (Chocolate Stout On Nitro) : Six different malt varieties, cacao nibs, dark chocolate, lactose, oats, and vanilla combine to produce a decadent Chocolate Stout with a lush, velvety texture and rich, smooth finish.
- KSA : KSA combines a thoughtful mixture of American bittering hops and traditional German malts to create a complex yet crisp take on the Kölsch style. Munich and Vienna malts construct the beer’s robust, rich grain flavor, while Saphir and Warrior hops bring balance through a clean finish. KSA’s old-school style, blended with bright, updated ingredients, makes this beer a classic on both continents.
- Bourbon Barrel Aged Dark Lord De Muerte : Dark Lord aged in bourbon barrels with ancho and guajillo peppers.
- Doubleganger : This beer was conceived with the intent to push the concept of Doppelganger to the limit of flavor and intensity. Both the kettle hopping rates and dry hopping rates were increased while keeping the base beer the same. The result is intense, but also surprising in its balance and softness. The mouthfeel is viscous and coating with flavors of overripe mango, dank citrus, and tropical fruit balanced by a sharp but pleasant finish. A treat to warm you up as a true New England winter takes hold!
- The Angry (Dan) Brown Ale : Our brown ale is brewed with a blend of different malts, including roasted malts, which results in a dark brown color and intriguing malt flavor…smooth and eminently quaffable.
- Schwarzbier : This “Black Lager” gets its dark hue from roasted specialty malts with a nice hop finish caused by the use of our hop jack with whole flower Saaz hops.
- Marionette : Marionette is an amber colored Oat IPA bursting with bright citrus flavored American hops and fermented with our house English yeast strain. Flaked oats lend a full and silky mouth feel and are accompanied by grapefruit, orange peel, and persimmon flavors that coat the mouth. This unique IPA finishes with a drying marmalade end and a wonderfully full body thanks to the hops and oats.
- Dry-Hopped Internal Contradictions : Pleasantly Tart, Grapefruit Pith, Currant, Fluffy Dough.
- It's Not Yours, It's Mayan! : Third anniversary stout. Barrel aged, ancho chilis, dark chocolate, vanilla beans.
- Gouden Carolus Noël / Christmas : For more than 35 years we had to miss the Christmas beer but in 2002 the tradition was restored with Gouden Carolus Christmas. It’s a strong, dark ruby red beer with character and contains an alcohol percentage of 10.5 % alc.vol. Brewed in August, the beer rests a few months to reach an optimal balance. Three kinds of hops and 6 different kinds of herbs and spices define the rich taste of this Christmas beer. Top-class!
- No Motion Detector : When you're in so deep that you can not see... No Motion Detector! Brewed with Rye and Munich malts and generously hopped with Simcoe, Chinook and Zeus, we bring you another new IPA. Spicy, light lemon marmalade, fresh squeezed grapefruit, caramel honey and a cherry back note are just some of the flavors you'll get while sipping this one in the dark. And if it's still light outside, close your eyes and enjoy the hoppy freshness!
- Altbier : Altbier is a German ale, which literally means old beer. This is not referring to the age of the beer but rather to the pre-lager fermentation method of using ale yeast. Amber in color, the Althas a clean flavor, which is similar to a dark lager but with the addition of noble hops from Germany with a light biscuity flavor.
- 07712 - Centennial : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07712 is the dubviant tuned up with a third Centennial exclusive dry hop inspired by the places that get it in Asbury Park. Centennial tips Dub’s mix of dank resins and tropical fruit aromas with crunched floral thunder. Drink 07712 and wonder at the wonder of gorgeousness and gorgeosity made dank.
- Wild Oats Series No. 28 - Staghorn : Staghorn is collaborative project from Beau’s and beer writer Jordan St. John, and was brewed in celebration of Toronto Beer Week. This Belgian Golden Ale was brewed with pilsner and wheat malts, Belgian Cascade hops, agave nectar, and hand-picked Eastern Ontario staghorn sumac berries. Mingled aromas of spicy cloves and white grapefruit are forward, with flavours of bubblegum and more grapefruit, as well as tart lemon courtesy of the sumac berries. The body is crisp, highly carbonated, and finishes dry.
- Barrio Nolan's Porter : A dark but mild ale that light will just barely pass through, this medium to heavy bodied beer has a light hop character so the malts can do the talking.
- Double Dragon : Double Dragon has an ABV of 4.2%. It is a full drinking, premium Welsh Ale, which is malty and subtly hopped. Double Dragon has a rich colour and smooth balanced character. This deep copper red ale has a tangy red fruit flavour with nutty, toffee overtones.
- Shallow Mud Rye Stout : Taking its name from an impromptu blues song, this stout has a complex malt profile featuring roast flavors balanced by caramel malts. Rye is used in small portions in the grain bill for added layers of flavor. Balanced by light additions of Nugget and East Kent Golding hops, this stout maintains those light roast flavors and a touch of caramel sweetness.
- Freaks The Clips : Brewed with a myriad of local malt courtesy of Riverbend Malt House and fermented with our mixed house cultures. Fermented and aged in oak barrels. Once removed from the barrels, Freaks refermented on SC grapefruit and SC ginger. Blended with local sea salt courtesy of Outer Banks SeaSalt and smoked paprika. Conditioned naturally inside the bottle.
- Parcae Belgian Style Pale Ale : This beer is defined by its pronounced hop bitterness, flavor and aroma. It has a solid malt backbone that works with the citrusy American hops. The hop bouquet resonates like flavors of tangerine and ruby red grapefruit. The mouth feel is crisp and dry leaving a balance of bitterness and rich malt on the palate. It is golden honey in color.
- Breakfast With Churchill : Breakfast with Churchill is full of roasty smooth dark chocolate notes and balanced bitterness. With the addition of freshly roasted Colombian Coffee from our good friends at Glenn Edith in Rochester, it's a perfect start, or finish, to your day. 
- Midnight Oil Stout : Quiet and sensual like a moonlit night, this complex blend of toasted oats, roasted barley, chocolate wheat malt and dark roast coffee imparts an intense aroma and complex flavor profile. We brew a traditional English-style oatmeal stout with a rich malt profile, then add locally roasted coffee while this ale is cold-conditioned.
- 6 Foot 6 : Glacier hops, with some Horizon thrown in for a bit of bitterness, 2-Row and Caramel 80L malt, a golden color and white head. Smells of melon and candied fruit, tastes of pineapple and melon. 
- Nighty Night : Our Imperial Stout has been aged in Rye Whiskey Barrels, Bourbon Barrels, and Cabernet Barrels. We’ve aged them to velvety perfection and are creating a complex and delicious blend we call Nighty Night. With an ABV of 9.8%* and bold aromas and flavors of coffee and chocolate - this beer is the perfect beginning of an exciting fall and winter of rich seasonal offerings.
- Hix Beer Brown Ale : Brown ale is a style of beer made with a dark or brown malt. 
- Habilis : Habilis is a Bipedal Double IPA, something of a riff on Alien Church, our extraterrestrial reptoid IPA. Brewed with an oat based grist, big additions of Cascade and Columbus, and a light dose of coconut oil in the kettle. Dry hopped with Alien Church’s regimen of Mosaic, Citra, and Chinook, but in altered proportions. We're getting a lot of pink grapefruit, lychee, and musky cedar notes out of it!
- Never Never More More : Double fruited version of our blackberry Gose Never More. Never Never More More is completely saturated with thousands of lbs of blackberry purée. Jammy, thick, perfect level of acidity, and just a straight berry bomb.
- Ginga Kogen Weizen : “Ginga Kougen Beer” is a “Hefeweizen” style beer a yeast wheat top-fermented beer brewed with more than 50% of wheat malt. It is unfiltered beer distinguished by its fruity aroma and pale color.
- Truthful Statement : This dark sour ale was inspired by classic Old Fashioned cocktails. We fermented a velvety imperial stout with our house sour culture, then aged it in Woodford Reserve Bourbon barrels alongside sweet Bing cherries and freshly zested oranges to create a rich, tart stout that’s perfect for sipping on cold winter nights.
- Menabrea 1846 : Lager Beer produced with bottom fermentation, Premium Lager. Brewed with water, malt, maize, hops. It is a well-balanced beer with a notable floral/fruity aroma thanks to the selected yeasts used in the brewing process.
- Tart Attack : This Berliner Weisse style sour ale is full of character and flavor at only 4.3% alcohol by volume. We sour mashed this ale and allowed the souring lactobacillus to create a lovely tart and bright flavor. To further the tart character, we rested it on blackberries after its fermentation was complete. The result is a bright and complex tart ale with both semisweet and dry notes throughout. This ale was brewed to honor Pints for Prostates and all their work in bringing awareness to prostate cancer. So men... get tested, live longer and enjoy more craft beer!
- Amber Sun Ale : Roasty finishing malts, balanced with just enough bitterness provides a traditional amber ale that is dark red to the eye, but not heavy on the palate. 16 Mile names this premium amber ale for the famous sunsets found at the Breakwater Lighthouse located off of Lewes Beach, Delaware.
- Sour Me Not Acerola : Sour Fruit Beer, wild fermentation with a Brazilian Acerola (aka Barbados Cherries).
- Sur Mosaic : A 6% Pale Ale that has been slightly sour mashed to add an acidity that balances out some of the round fruity notes from the Mosaic hops. A crisp tart fruity pale ale.
- Augusta Hyde Park Stout : A traditional Irish Stout, very dark and very drinkable.
- DDH IPA Citra BBC : A huge 30g/L of Citra BBC makes this DDH IPA pop with vibrant orange and mango flavours. A soft, creamy mouthfeel helps it score highly on the crushability scale, while a sprinkle of pepper in the finish accentuates the bright fruit notes and aids balance.
- Not So Mild : Just like our winter here in Oregon has been this year, this mild is not so mild. An extra magic brewday and an especially voracious Scottish yeast variety made this mild a bit stronger than tradition. Easy drinking with a medium body and a smooth twangy-fruity finish, this brew is a nice change from the strong beer we have been sipping this winter!
- Dark Abby : Meet Abby, Azrael’s darker twin. This Belgian beauty is mysteriously alluring with a sultry flavor combination of brown sugar, plum and spices in a dark burgundy hue. 
- Mocha Stout : Medium body, coffee and chocolate infused dark ale. Collaboration with Elementary Coffee Co. Smooth stout brewed with espresso, cacao nibs, and lactose. Served on nitro.
- Bank Street Brown : A rich malty nose with a hint of chocolate and fruity esters leads into an equally full malt flavor, with just bit of caramel and roastiness. . A medium body and balanced finish that is neither dry nor sweet make this an easy-drinking ale.
- La Roja : An artisan amber ale brewed in the Flanders tradition. Deep amber with earthy caramel, spice, and sour fruit notes developed through natural barrel aging. Unfiltered, unpasteurized and blended from barrels ranging in age from two to ten months.
- Vichtenaar : The "Vichtenaar" is a beer that is brewed on the basis of deeply burned malt, spicy and fruity hops, yeast and soft water pumped from a well with a depth of 172 m, which is a guarantee of the quality and the purity of the water. After the main fermentation and the second lagering the "Vichtenaar" undergoes a third fermentation in oak casks for several months. The oak casks are large vats with a capacity ranging between 5000 and 25000 liters. 
- Pentagram : This Arcane Seal guards an enigmatic brew that is FUNKY, DARK, and SOUR. If you choose to break the seal, YOU HAVE BEEN WARNED!
- Frut : A fruited brut saison.
- Gahan Limited Edition Shortest Day Spiced Milk Stout : This big-bodied milk stout has a prominent vanilla aroma with toasty undertones that lasts throughout the pint. Spiced with nutmeg, packing a festive punch in the finish. Black and opaque topped with a dark, long-lasting head. Best enjoyed on the darkest nights of the year paired with a warm fire and a homemade dessert.
- Careful With That Passion Fruit, Eugene : Careful with that Passion Fruit, Eugene is the first of our ‘lambic inspired’ fruited series. In this case we took a blend of 9-14 month old barrels, added Passion Fruit for one month, and bottle conditioned with wine yeast for three months. The passion fruit shines through and combines perfectly with the flavors and acidity from the original blend. Fruity, funky, sour.
- Winter White Ale : An alternative to dark and heavy winter warmers and stouts, Winter White is a stylish and refreshing Wheat Ale.
- Abstrakt AB:06 : Triple Dry Hopped Imperial Black IPA. A monster of a IPA combining dark malts with monumental amounts of our favourite hops.
- Geary's IPA : This ale has its origins in the traditional English style, with a generous helping of American exuberance. Bright copper in color, it has an assertive hop bitterness balanced with a subtle malt foundation. Dry hopping at two sates of the brewing process provides floral and fruity hop flavors adding to the complexity of the brew. Original gravity ~ 1060; Alcohol by volume -- 6%.
- Tatonka Stout : An imperial stout — a classic style so rich and flavorful that it was once the private beverage of Russian Czars. The profile is malty sweet, hop bitter roasted, full-bodied, alcoholic and deliciously complex. Beer doesn’t get much more intense than this!
- Wild IPA : Our Wild IPA is fermented with an untamed wild yeast call Sacc. trois. This yeast imparts an enticing tropical fruit aroma with a slightly tart finish that complements our hop profile. The result is an assertive IPA with layers of luscious fruit, citrus and spicy character.
- TangeRica : TangeRica is a full-bodied wheat IPA bursting with tangerine and citrus hop flavors. Notes of citron blossom, grapefruit peel, orange and lemongrass radiate the senses, while a wheat-heavy malt bill and subtle hop bitterness round out the experience.
- Alice Porter : Weighing in at 5.2% ABV, Alice Porter hides a huge complexity behind her modest strength. Roasty and smooth with fruity, rich coffee character. Alice Porter takes a sudden twist in an unexpected direction; a blend of hops that add a light, balancing citrusy twist and a subtle spiciness. Alice Porter is the first of our 2105 seasonal brews.
- Raspberry Sour Red Ale : Flanders Red Ale that has been aged in a red wine barrel for 8 months and aged it an additional 4 months on tart red raspberries - over a pound per gallon. Luscious raspberry and fruit aromas and a snappy acidity are the delicious result.
- Paddle Bender : An extremely robust Imperial Porter that delivers huge notes of chocolate and roast with a thick yet silky mouth feel. We aged this beer on loads of vanilla beans for a rich flavor that accentuates the dark malt character. Paddle Bender pushes this porter to its limits with 8 different kinds of malts and over a half pound of raw vanilla beans.
- Summadayze IPA : A super-drinkable IPA that can be sold to beer lovers of all stripes. Hopped with a mix of Nugget, Cascade, Columbus and Zeus with notes of pineapple and grapefruit, the hops shine throughout while the beer maintains balance. Characteristics include subtle malt flavor, crisp dryness, and a white foam head. Designed for daily drinking in Florida, because as natives know, every day is a Summa-day.
- River Horse Summer Blonde : A light, refreshing Ale that is easy to drink yet complex. Perfect for the warmer months.
- Vermicious Knid : Hornswoggler fermented in a stainless steel fermenter. Then we transferred Horns into freshly dumped red wine French oak barrels and brought the barrels over to our Funkhaüst. We then inoculated the barrels with a mixed culture of wild yeasts and bacteria. Vermicious Knid spent 15 months conditioning and developing complexity in the barrels. We then bottled the beer with a small amount of yeast and priming sugar and allowed the bottles to referment/condition for another 2.5 months. The results are incredible! Clocking in at 8.4%, Vermicious Knid displays restrained and elegant tartness, a luscious full body, vinous similarities, beautiful integration of oak tannins, dry cocoa powder, ripe dark fruit, and bright zippy coffee. The best way to describe Vermicious Knid is a slightly tart Cabernet crossed with a cocoa/dark fruit forward full bodied stout.
- Harold : Harold may have a dark side but really he's very sweet!
- Homegrown Hemp Ale : This cream ale-style brew has the nutty flavour of toasted hemp seeds.
- Fearless Youth : Once upon a time in the land of Bavaria, a darkness fell upon the beer in the town of Munich. But have no fear – this darkness was born of a toasted malt that produces a bready chocolate flavor. This full-bodied brew is now known as a Munich Dunkel. Our dunkel is made with just enough hoppy bitterness to scare away any overt sweetness. Then it is carefully lagered to produce a cleaness that no one will shudder at.
- Brother Paul's Radical Razz : The other fruit beer we produce is not your typical American sweet fruit beer. We sour the mash, ferment with special yeast, and then age the beer on 120 pounds of tart raspberries. The aromas are mildly sour and largely raspberry. This is a very refreshing beer.
- Blackwing : Inspired by the thousands of Still Creek Crows that fly over our brewery to their nightly roost, this Eastern European style beer is as dark as their wings. With balanced notes of dark chocolate, caramel and dried fruit, this complex beer is sweet, yet crisp and quaffable thanks to a cold lager fermentation.
- Flor D’Lees (2015) : Indigenous Wild Ale aged in Oak Barrels is one of Crooked Stave’s most complex long-aged sours. Numerous barrels are sampled to get just the right blend. Never one to be complacent with brewing tradition and classical styles of beers, Flor d’Lees walks the lines of the most ancient of beers.
- Enchantment : A medium-bodied, burnt orange colored Belgian session ale with fruity yeast character and spicy, light floral and earthy hop character.
- Woolly : Belgian-style dark ale with sour cherries from Seedling Farms in Michigan. Aged in Cabernet wine barrels for 8 months.
- Back To Black: Zeus Black IPA : This beer is designed to challenge your preconceptions: it looks like a rich dark porter but tastes like a punchy IPA. This Black IPA uses Zeus hops from the Yakima valley and Ella hops from Australia. Think pine resins, citrus and tropical fruit aroma with a spicy bite. Close your eyes, take a sip and let your taste buds take over.
- Trouble Man : A light base of 2-Row, pilsner and wheat malts allow the hops to shine in this IPA. Lemondrop, Huell Melon, and Loral hops combine to showcase aromas and flavors of lemon, dark fruit and a touch of herb and spice.
- Slingshot Dunkel : Don't let the Slingshot's color fool you, it has a light body and smooth complexities that will remind you to never judge a book by its cover. Or, more likely, it'll just remind you that beer is a pretty darn good thing.
- Poor Man's Blonde Style Ale : Even at 5.0% ABV this Blonde Style Ale is pumped full of delicious flavor. This is a craft beer drinker’s blonde. We brew it with nearly all Mosaic hops and just enough IBU’s for those that appreciate hops but not too over-powering for those looking for something drinkable. This beer imparts huge citrus and fruit character while finishing slightly sweet and ends clean.
- Hung Drawn N Quartered : Rye barrel-aged Dark Lord
- Quadrophenia : The pinnacle of Abbey beers, this Belgian Style Quadruple is dominated by dates, raisins, molasses, and lush malt notes. Despite its dry finish, it has a sweetness that comes through from the alcohol and fruitiness imparted by the yeast. This is a big, bold beer that is delicious today, but will cellar exceptionally well.
- Oude Tart Reserve : Oude Tart Reserve is a Flemish-style red ale aged in oak barrels. This blend is comprised of only the best barrels from our cellar, hand-selected by our Bruery Terreux production team, blended exclusively for our 2018 members. It's pleasantly sour with hints of leather, dark fruit and toasty oak. While this is one of the more classic beer styles that we make, it's not a style that you can find too often in the United States. Originating in style from the Flanders region of Belgium, near the French border, this dark, sour ale has roots deep in brewing history and predates most of the ales that have become popular in contemporary culture. We're doing our best to keep the tradition alive by brewing and aging this beer here on the west coast.
- Black IPA : Deep burnished copper in the glass, Black IPA is the perfect balance of dark malts and citrusy hops.
- Strawberry Schwarzcake : This is not your typical fruit beer and definitely not what you expect when you see its black color and tan head. This beer is extremely light in body with notes of chocolate and roasted malt and just a touch of strawberry flavor to balance the astringency; finishing clean and crisp. If you dislike fruit beer and dark beers – you need to give this beer a try!
- Morgazm Grapefruit Zested Blonde Ale : Our new 5% abv Grapefruit Blonde ale, is dry-hopped with Citra to add citrusy notes of lemon; and infused with grapefruit zest for a tart, refreshing taste that will keep you in the mood all night.
- Wet When Slippery : Brewed with passionfruit.
- Sgt. Peppercorn : A dark saison style ale brewed with pink, white, and black peppercorns. The spice from the peppercorn is evident but subtle. A smooth, easy drinking dark Belgian-style that has the typical dry spicy finish from the farm house yeast, but with a slightly maltier backbone than its lighter brethren.
- St. Peter's Best Bitter : A traditional best bitter ale brewed wth Pale and Crystal malts and Goldings aroma hops. The result is a full-bodied ale with distinctive fruity caramel notes. Brewed with skill and patience in one of Britain's finest small breweries.
- Easy Way IPA : Crafted for those who enjoy the aromatic and hoppy nature of IPAs but are pining for a lower ABV, Ninkasi introduces Easy Way IPA. A dynamic medley of hops and a crisp, satisfying finish define this unexpectedly sessionable IPA. The big, fruity hop nose and toasted malt flavor are anything but ordinary, offering a beer that is both aromatic and drinkable. With an ABV of 4.7%, this beer is for those ready to break the routine and go the Easy Way.
- Vagabond : Last month we invited our very good friend and talented brewer from Iowa, Mike Saboe, into Tree House to create a beer with Tree House with assistant brewer Brendan Prindiville who took the leading role on his second commercial beer…! The result is Vagabond - a highly collaborative, pungent Imperial IPA brewed exclusively with Nelson Sauvin and Mosaic hops. Vagabond pours a brilliant hazy yellow in the glass with a frothy bright white head. We smell and taste super bright notes of papaya, kiwi, blended tropical fruit juice, and a plethora of citrus. She finishes cleanly, with just the right amount of bitterness to balance things out. A beautiful beer to welcome spring - and to celebrate lasting friendship!
- Stream of Consciousness : Kettle soured fruit beer brewed with lactose & oats. Post boil Prickly Pear and lychee purée. 
- Java Lava : A fun twist on your standard coffee beer. This beer is a blend of our Northwest Red with HomeBrew cold brew from Bellingham Coffee Roasters. This lively take on what is typically a dark beer allows the cold brew to really shine. The lightly roasted beans are bright, critrusy, and acidic. When paired with the dark stone fruit flavor of our Northwest Red, you get a coffee beer like none other!
- Chicago Saison : Brewed with Chef Nicole Pederson from C-House. Eight pounds of Chinook hops and the yeast of Sofie are balanced in this golden hued ale. Floral with hints of grapefruit and a papaya finish.
- Discord Dark IPA : Discord Dark IPA celebrates the marriage of two distinct flavors, the Dark Ale and the IPA. The traditional bitterness of an IPA is juxtaposed against a black malt canvas, creating an ale that keeps your taste buds working to discover all of the unique flavors imparted by the 5 different hops and malts.
- Embrace The Funk - Space & Time : An oak fermented wild blonde ale aged on Star Fruit and brewed with 12 different celestial hop varieties including: Alpha, Apollo, Aurora, Challenger, Cluster, Meridian, Comet, Equinox, Galaxy, Horizon, Polaris, and Southern Star. This special ale was created to celebrate the solar eclipse over Nashville on August 21st, 2017.
- Hello Darlin : Brewed with Mandarina Bavaria, Hallertau Blanc, Citra and Azacca hops, this 'Merican pale ale is for the crooner who's lost a love so warm and true. With its subtle notes of tangerine and tropical fruit, this is the one you'll keep waiting for. Come back darlin', I'll be waiting for you...
- RyeØ : RyeØ is an intense rye wine brewed with a blend of malted rye and barley and aged in freshly emptied rye whiskey barrels for a year. Complex flavors of rye, malt, oak and hops have married and matured before bottling. RyeØ is a "live" beer, hand bottled and conditioned with fresh bourbon whiskey yeast, allowing it to change its character with time. Enjoy it now or cellar for up to 10 years.
- Single Batch Series - Milestone Ale : Milestone Ale is a reflection of Jon Clegg and Tom Abercrombie’s past 10 years of brewing together. This collaboration beer is brewed using a non traditional process of stoning the beer, using granite stones that were heated until red hot and lowered into a wooden vat of unfermented Beer. This process caramelizes the sweet sugars that taste of caramel and light toffee. Tom selected the hops to add hints of pine, citrus and tropical fruit to complement the complex body of this historic Single Batch beer.
- Schlafly Export IPA : Our English Style Export IPA features 100% English hops and a big malt backbone built upon pale and caramel malted barley. The hop varietals, Pilgrim and East Kent Goldings, lend a quality of lemon and spice, which play off of the fruity flavors contributed by the London ale yeast.
- Body Massage : Who wants a body massage? It’s low alcohol season for dark beers, and this little nitro stout is bone dry and soooo, so creamy. It’s a body massage machine … go! 
- Daylight DIPA : Modern Style Double IPA with strong juicy, citrusy flavors and passion fruit aromas.
- Hoppy Funky : This one is a big fruit forward hoppy Brett beer with a touch of funk. The nose is a crazy, juicy fruit and fruit punch aroma followed by distinct Brett character complementing the fruit flavors brought about by Citra and Mosaic hops. The beer finishes crisp and dry with just enough of a subtle bite to balance everything out. 
- White Birch Apprentice Series Deviant Monk : With this release by David Sakolsky, our fifth brewer apprentice, we bring you an inspired ale. Complex, malty, dark, nuanced by oak, and fermented using his favorite Belgian yeast strain. This is a beer you can enjoy today as well as age for years to come.
- Elland Back : Pale premium bitter, this beer has grapefruit and citrus top notes and a bitter yet fruity palate from the use of American Hops, including Centennial. Drinks easier than its strength...a little devil of a brew!
- Secret Stairs Boston Stout : Secret Stairs is our signature Boston Stout. Bold and balanced; satisfying with a substantial body, but not syrupy or sweet. Roasted malt provides a nutty, earthy backdrop to bitter cocoa and little hints of caramel. Smooth mouthfeel with a drying sensation on the finish. We brew Secret Stairs to highlight the unique physical connection between Summer Street and A Street. We raise a pint of Secret Stairs to The Fort Pointer; the neighborhood's favorite protagonist! 
- Mosaic IPA : Our single hop IPA is brewed and dry hopped with Mosaic hops. Clean and crisp with an incredible balance between juicy fruit flavors and hop bitterness.
- Poverty Beach : In the taproom you might have heard someone ask for a Reach Around, and one of the taproom associates gladly whipped one up. Pull your mind out of the gutter, because that was the unofficial name given to a blend of Devil's Reach and Coastal Evacuation, perfectly pairing dank citrus hops with an in-your-face yeast profile. Inspired by this concoction, we whipped up Poverty Beach - a Belgian IPA loaded with hops to give you the best of both worlds. Our house Saison yeast strain brings fruity esters which mingle perfectly with citrus and grapefruit-leaning dank hops, but we toned down the fermentables a touch to make it a more reasonable 6.3%. Crushable, dank, yeasty, this Belgian IPA is designed to please both hop-heads and Belgian fans alike
- Passin Of Perrone - Pilot Batch : Brewed with passion fruit and fermented with champagne yeast.
- Rampant Imperial IPA : A burly and bitter Imperial IPA, Rampant pours a pure copper and carries the sheen of a rightly hopped beer. The Mosaic and Calypso hops bring stonefruit to the front seat, and the addition of Centennials nod towards citrus for a well-rounded aroma. The taste expands these hops with heavy peach tones and a profoundly bitter bite. There is some malt sweetness to stand this beer up, and Rampant's finish is bone-dry.
- Gianduja Imperial Milk Chocolate Hazelnut Brown Rye Ale : Gianduja is the name given to a European style of chocolate made from milk chocolate and hazelnut paste. Pronunciation: zhahn-DOO-yuh. This unique rye beer starts with a delicately dark malty background that includes four different types of malted rye for an in depth layered rye backbone to start things off. Look for flavors of milk chocolate from the additions of lactose (milk sugar), coco nibs and hazelnut paste added to the brew. Overall undercurrents of dark fruit with bready, biscuit flavors that last from start to finish. To top things of we aged this fine Rye beer in Templeton Rye Whiskey Barrels.
- Andre 3000 : For our 3,000th batch, we only used ingredients grown right here in Idaho. Made with IdaPils malt and Idaho 7 hops, Andre 3000 is a S.M.A.S.H. beer, which makes it a simple beer with a lot of complexity. When asked about the aroma, we were told that it smells like Idaho. Its aroma also sits with bright grapefruit and prickly pear notes. This pilsner has a really nice body that complements the mild bitterness. A beer brewed in Idaho with only the finest Idaho ingredients.
- Dro-Gose : Collaboration with Lithology Brewing. Dragon fruit gose style ale.
- Chemtrailmix (2018) : Dark Lord aged in rye barrels with cinnamon + pink peppercorns.
- Salt Spring Pale Ale : Light copper in colour and hopped with East Kent Goldings, Salt Spring Pale Ale has a light, clean, and soft texture. A nutty-toffee maltiness with an elegant flowery aroma. This brew was awarded a silver medal at the 2004 Canadian Brewing Awards; it's a "session beer" (great for having many), like the Golden Ale, but more flavour.
- Organic Yellowhammer : "A golden, straw coloured bitter, brewed with Cascade hops adding a flinty, grapefruit aroma that is deliciously refreshing."
- Skully Barrel No. 4: Dark Elderberry : Dark sour brewed with elderberries and aged in oak wine barrels bottle conditioned.
- Das Nanners : This German twist on a Baltic Porter was fermented using a blend of our mixed culture yeast and a traditional hefeweizen yeast. A dark malt bill provides notes of chocolate to pair perfectly with the banana-notes from the hefe yeast's esters. The end product was conditioned on coconut flakes to round out this unique porter with a hint of sweetness.
- Dark 266 : Cameron’s Dark 266 is a rare breed of beer that was originally brewed as a one-off draught for one of our specialty beer bars. The demand for an encore was so persistent that that we had to bottle it and share it with everyone. Specialty imported hops and dark malts result in a chestnut coloured lager with a wonderful lacy head. Taste the deliciousness of a North American Lager with the complexity of a German Schwarzbier.
- Scratch Beer 23 - 2009 : In honor of Oktoberfest, we give you Scratch #23-2009, Kellar Fest. This unfiltered lager features all German malts and noble hops. Fermented with the Augustinerbrau yeast strain, Kellar Fest is a blend of Bohemian Pils, Munich and Vienna malts. The Magnum hops provide a crisp bitterness and the Hallertau noble hops impart a slight earthy taste. Kellar Fest finishes crisp and dry with hints of fruit. Grab a lamb handle and savor this Kellar Fest.
- Thunder Canyon Strawberry Lightning : A crisp, light refreshing fruit beer, brewed with 630 lbs of strawberries. The berries contribute to the color and aroma of this tasty brew.
- Gambit : Sour Red Ale Aged on Grapefruit Peel 
- Beta Wolf 1.0 - Sour IPA : Beta is an experimental sour IPA that is tart with an abundance of citrus and tropical fruit flavors .
- Mosaic : This shadow warrior's ability to stun the senses are the result of an intense, focused meditation on the essence of stone fruit and cirtus notes. This merciless mercenary is also known for attacking stealthily with unexpected pine aroma, which the muthical unicorn always expects but can almost never deflect. Pipeworks Mosaic beckons from the battle ground, "Come at me, brah."
- Brains Craft Brewery The Shy Porter : The Shy Porter is a traditional brown porter brewed with the addition of toasted coconut chips and raw cacao nibs. The classic roast malt flavours from crystal, brown and chocolate malts are enhanced by the luxurious combination of coconut and dark chocolate.
- Irish Red Ale : This classic beer style was inspired by centuries of Celtic brewing history. Specialty kilned malts such as dark caramel and munich dominate the Irish Red resulting in a ruby red colour and smooth malty taste.
- Gose To Hollywood : To Øl got starstruck. This is how we went to Hollywood. Salty, sour, light gose brewed with the best fruits California can offer. Best consumed on warm summer days or on the red carpet.
- Floridian : A Wartega Family favorite. This ale is brewed with tropical hops and a smattering of citrus zest. It exhibits flavors of lemon, mango, grapefruit, pear, and pine.
- Very Bad Rooster : Brimming with complex malt character and a succulent blend of Citra, Mosaic and Eukanot hops, this Rooster is bigger, darker, badder and out of hand.
- Monsters' Park - Black House Blend Coffee : The coffee rye version is the most complex of the three: the coffee perfectly compliments the roasted notes in the beer and mingles effortlessly with the powerful rye character; this one should not be aged since the coffee will fade relatively quick. In sum, these are cockstaggering beers.
- Cherry Picker : Cherry Picker blends the rich grain bill of a Belgian-style Dubbel with the decadent flavor of Montmorency tart and sweet cherries. The result is a complex brown ale exploding with notes of cherry, dark fruit and candi sugar sweetness. There is no shame in cherry picking this delicious seasonal brew.
- Johnny Utah Fresh Hop : Expect Fresh Hop Johnny Utah to have even more grapefruit and pine aromas and flavors when we put around 1400 lbs of wet citra in to this years 60bbl batch! Thats a lot of hops.
- The Howling Fantods : Double mashed and boiled overnight. Our Imperial Stout is packed with earthy German buttering hops and finished with choice American varietals. Notes of bitter dark chocolate, coffee, warming alcohol and rich roasted malt.
- Pingora : Well-balanced and smooth, the dark malts suggest the flavors of coffee and chocolate without being overpowering. This brew starts out malty and finishes with a smart, crisp bitterness.
- Graveyard's : Surfboards have a limited lifespan. Sometimes they die in a dark dingy garage and other times they go down in a blaze of glory in board crushing waves. In the fall of 2001, the Oceanside Sandbar got hit with a rare Southern Hemisphere swell. The O’side locals erected a surfboard graveyard with all the broken boards taken. Then in October came the day of the year, when surfers were getting right and left tubes at the same time all morning. More than a few board victims were added to the graveyard, as captured in this classic, iconic image by Steve Sherman. Let’s raise a can of this hoppy pale ale brewed with Mosaic and Australian hops to all the surfboards that gave their life in pursuit of perfect tube rides!
- Pick'n Passion : The delightful aroma of the passion fruit and ripe peaches really shines through on the nose. A noticeable transition of lime and grapefruit hit you mid-palate while the hops added to the base of the beer give the slightly tart, citrusy fruit a great balance and backbone on the finish.
- Touch Of Brett: Mosaic : This dry French-style saison was primary fermented with a blend of Brettanomyces yeasts for a fruity and spicy experience. After aging, it was dry-hopped liberally with Mosaic hops to complement the ripe pineapple, mango, grapefruit, and rose-like flavors that evolved during the aging time. Aged in Oregon and California Pinot Noir barrels.
- Cuvée Gold : Hardywood Cuvée Gold artfully blends the elegance of wine country with the gentle and balanced characteristics of a traditional Belgian-style Golden Ale. Combining both young and mature vintages aged in freshly emptied Sauvignon Blanc barrels, Cuvée Gold offers light earthy aromatics, a subtle sweetness and a hint of toasted oak that are delightfully dry and delicate on the palate, with lasting white grape and stone fruit undertones.
- Etcetera, etc : Citrus Melon, Pithy, Resinous, Gooseberry (Not Cherry), Exotic Fruit.
- Super! : Super was brewed with an eye to what Belgian tripel may have been, but we just call it a rustic golden ale, or a super saison when pressed for a style to name. What it is is a simple grist of 3 pale malts with a small amount of evaporated cane sugar. It’s medium bodied, fruity and dry, with an ester profile similar to a classic tripel.
- Narragansett Summer Ale : Narragansett Summer is a light session ale made with two row pale malt and citra hops. The citra hops are a very popular, newer variety that deliver aromas of citrus and passion fruit without overpowering the taste buds. The beer is blonde in color and the mild kiss of the hops complement the pale malt perfectly, making it extremely drinkable. 
- Jibe Session IPA : This session beer is designed to satisfy your craving for floral, citrus, and pungent IPA hop flavors. Your palate will enjoy the sensations of a complex hopping and a only 4% abv you'll be able to enjoy more of this hoppy golden ale ... that really isn't an IPA at all.
- Same Old, Same Old : After brewing a massive imperial stout for the winter season, we took our second runnings of liquid and made a crazy beer with them. We ran the wort into our open fermenter and kettle-soured it for two days with a pitch of lactobacillus. We then finished the beer with a light hopping and pushed it directly into our fermenter on top of the majority of the found fruit and donated berries for the harvest season. This beer is dark in color but light and tart on the palate. It has a light ruby red hue and is really unlike most other beers on the market. We think you will like our take on this old style of Belgian-style sour beer.
- Pink Flamingo : One sip of this sour and you’ll think you’ve been transported to the shore – Sunshine reflecting off the water as the waves lap at your feet. The citrus aroma of pink grapefruit dances on the nose. Go in just a bit deeper to find a subtle ginger bite splashing in a sea of sour.
- Black Butte XXVI : Our 26th anniversary Imperial Porter was aged in bourbon barrels (50% for 6 months) and dry spiced with Theo Chocolate's cocoa nibs, revealing hints of vanilla and chocolate. Pomegranate molasses and Oregon cranberries complement the robust flavor with a hint of fruit and just enough tart to make you smile.
- Ruby Grove : Ruby Grove is a golden sour beer aged in oak barrels with grapefruit and fresh grapefruit zest that we blended for Beachwood BBQ’s 10th Anniversary in Seal Beach! To produce this new blend, our production team started by adding grapefruit to 2 oak barrels of golden sour beer that were inoculated with Brettanomyces, Lactobacillus, and Pediococcus. Grapefruit is high in citric acid, so in order to scale back the acidity, we blended it with 2 non-fruited oak barrels of golden sour beer that were fermented with Saison DuPont yeast. After we blended those barrels together, we recirculated this blend with fresh grapefruit zest. Aromatic, juicy, tart, and spritzy, Ruby Grove will remind you of sipping on grapefruit soda.
- Dry-Hopped Wandering Bine : Orange, Herbal, Stone Fruit, Pear. Dry-hopped with Equinox and Summer.
- Critterless : Critterless is an American Sour Ale brewed with mango and cherry. The beer has a pinkish hue and pours with a small white head. The ale’s initial flavors of mouth puckering tartness fade into a pleasant sweetness that is accompanied by aromas of ripe fruit. Critterless finishes dry with a hint of rye spice.
- Pleasant Mountain Porter : Rich, dark, malty,moderately hopped.
- White Birch Wild Ale : The first batch of this was a festival only release. Aged with oak chips and the second generation of two strains of brettanomyces. Each strain of brettanomyces was selected for contributions to flavor and aroma while maintaining a low acidity in the finished beer. Notes of dark fruits, grape skins, vanilla, chardonnay and oak mix with a hint of cherry tartness. Velvety, medium carbonation deliver a balanced refreshing drink that the base Belgian yeasts can not create on their own. This beer will be released once per year.
- Mr. Huff Pale Ale : The only thing we take more seriously than Mr. Huff’s head of hair is our beer: flavorful and complex. Mr. Huff is a 5.4% ABV, 40 IBU pale ale brewed using both American and UK hops, and a unique blend of 7 malts. Slightly sweet, with a medium body, and a flavorful and aromatic hop finish.
- Serpent's Stout : The history of the bible and religion is indeed the struggle of good vs. evil. Our Serpent’s Stout recognizes the evil of the dark side that we all struggle with.This is a massively thick and opaque beer that begs the saints to join the sinners in their path to a black existence.
- 077-07302 - Warrior : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 077-07302 is the Dubviant tuned up with an exclusive Warrior third dry hop inspired by the places that get it in Jersey City. Warrior backs up 0’dub’s mix of dank resins and tropical fruits with fills of citrus, pine, and herbs. Drink 077-07302 and jam down that dank path.
- Brackish : Dark Farmhouse ale with sea salt.
- Homework Series Batch No. 6 - Robust Porter : Dark black with ruby red highlights, this Robust Porter is rich and complex. A blend of UK malts, chocolate rye and Belgian candi sugar provide a sweet chocolate, yet rich earthy quality. Malt forward with an aroma full of roasted malts, toffee and dark fruit, this National Homebrew Competition medal-winner is a great dessert beer or to pair with hearty foods.
- Lake Effect : Blonde color, bright fruit and bubble gum aroma, citrus hop flavor, medium body.
- Vindictive II : California is renowned for producing some of the greatest zin and stouts in the world. We combine that pride and passion in this varietal of our Black Tuesday imperial stout, blended and fermented with juice from Zinfandel grapes from Old Potrero vineyard, a sustainable, dry-farmed, old vine vineyard in the Arroyo Grande Valley American Viticultural Area, thanks to our friends at Field Recordings Wine. After maturing for nearly a year in medium toast New American Oak puncheons, this release vanquishes the boundaries between wine and beer in a full-bodied foray of dark fruit, berries, jam, oak and spice.
- Papa Noel's Olde Ale : "This holiday ale was brewed in the English 'old ale' style, a traditional strong ale style that is sometimes called a 'winter warmer.' The warmth comes from the alcoholic strength of the beer, which weighs in at about 7.2% by volume. It is an attractive dark copper-brown hue and is extremely full-bodied. Papa Noel's
- Invisible Grooves Experimental IPA : A kaleidoscope of soft & fruit-forward aromas and flavours. Small batch, Experimental India Pale Ale dry-hopped at a ratio of 3 LBS. PER BBL exclusively with Vic Secret. 
- Less Than Supper : Bright and floral, with a careful balance between fruit and dank. Extremely quaffable for a higher alcohol brew and features layers of malt flavor to complement the hops.
- Hype Train - Guava, Passion Fruit And Simcoe : Triple IPA with Simcoe hops and conditioned on passion fruit and guava.
- Dark Night Returns : This brooding porter is aged in the same barrels used for the Dark Knight. The second use of these barrels heightens the wood tannin and vanilla notes. Plus hints of mocha, dark fruit, caramel, roasted malt and chocolate. Beat Gnome with the night. Enjoy!
- Manor Hill IPA With Passion Fruit : For this limited seasonal release we decided to take our Mosaic hop forward flagship IPA and add a great deal of passion fruit puree post fermentation. The resulting beer will provide you with a big juicy mouthfeel accompanied by tropical fruit and a firm hop bitterness in the finish.
- Fat Yak Pale Ale : Fat Yak first impresses with its golden colour, distinctive, hop driven, fruity and herbaceous aromas, giving characteristic passionfruit and melon notes, followed by a hit of hop flavour at the finish. The taste is refreshingly clean on the palate.
- Barleywine : Legend Barleywine is generously hopped to balance the huge malty sweetness. Hops account for the bitter and spicy flavors in a beer. We also “Dry Hopped” this one, giving it a nice spiced-floral aroma. Look for a very rich, ruby colored, robust strong beer with an attitude. Tastes reminiscent of caramel, chocolate, dried fruit (prunes, raisins) are evident at first, followed by hints of licorice and pine flavors. Expect a lingering finish with plenty of warming alcohol.
- Zap : Big and juicy with floral notes of rose, tropical fruit, orange blossom. Brewed with Citra, Azacca, and Simcoe. Guest can art from Margaux Ogden!
- Hawaiian Thanksgiving : Brewed with Hawaiian black sea salt, passion fruit and cranberry.
- Narcissus : Narcissus is crafted to be a complex hop-forward beer with a dry yet fruity body and a clean, quick finish. 
- Zoller-Hof Brenzkofer Dunkel : A very smooth tasting dark beer with lightly roasted malt flavors - a robust taste experience.
- 100 Barrel Series #23 - Old Rusty's Red Rye Ale : For the 23rd installment of the 100 Barrel Series, we invited Russ back to brew a Harpoon beer once again. Don’t worry, not in a bathtub this time. Old Rusty’s Red Rye Ale features a reddish hue and a biscuit flavor complemented with spicy rye notes. This well-balanced and drinkable ale has an aroma profile that is a combination of subtle fruit esters and clean, fresh German Hallertauer hops.
- BOMP! : Berliner brewed with Blood Orange, Mango, and Passion Fruit
- Clairvoyant : Our newest beer is a rustic tripel called Clairvoyant. Fermented with a blend of yeasts, brewed with NY malted spelt, rye and flaked barley. Hopped with Equinox. Fluffy, with stone fruit and pithy citrus. Perfect for the weather.
- Peak Organic Nitro Stout : Our Nitro Stout is brimming with rich malt flavor and a soft, airy mouthfeel. This beer cascades upwards and spins into creamy, dark swirls. A blend of local pale malt, local wheat malt, black malt, crystal malt, munich malt and chocolate malt provides the foundation for this dark and creamy beer.
- Real Ale Special : Red unfiltered and unpasteurised ale made from caramelised malt and yeast with fruity essence-aroma... Produced with the Real Ale philosophy...
- Pinot Cherry Four (Sole Composition Series) : This bottling of Four was brewed in June and aged in two pinot noir casks, each filled with over one hundred pounds of cherries. The fruit is a variety named brooks from Baird Family Orchards that has a beautifully deep flavor and color. We decided to try an experiment and leave the stems on, and the resulting beer developed quickly with a huge tannic profile and character reminiscent of some red wines. It was not inoculated with additional yeasts or bacteria, so the cherries dominate the profile and provide a natural acidity. The beer is tasting bright now, but the tannins should maintain the structure and preserve it well for a long time.
- Nickel Brook Cuvée (2013) - Bourbon Barrel Aged : Nickel Brook Cuvée is a rich auburn reserve ale, brewed with premium European and North American malts, Caribbean Demerara and a special mix of fruits, herbs and spices. This beer is then blended with ale aged in bourbon barrels that results in a complex and unique final product. Enjoy it today, or lay it down in your cellar and savor the changes in character as it matures. Cheers!
- Cream Ale : American Lager's cousin, the Cream Ale is the perfect "Gateway" into craft beer. Light, clean, and crisp, the Cream Ale is approachable to Craft Beer rookies, but also complex enough to satisfy the thirst of a regular.
- Hop, Drop 'n Roll : Our West Coast IPA hits you with a ton of juicy hop flavor that shines out from a substantial and complex malt backbone. We use Citra, Amarillo, Centennial, Warrior, and Chinook in 10 separate additions to provide the intense hop blast found within this can!
- Locked, Stocked, & Two Smokin' Barrels IPA : This copper-colored IPA is two Smokin’ Barrels loaded with a bit of grapefruit flavor and a resinous piney aroma provided from darker crystal malts and three additions of Chinook hops.
- Rockhill & Locust : Our English Mild Ale. Not a common beer to find in the United States, but well known and available at many pubs in the U.K. This session ale features delicate English malts that showcase caramel, nutty, dark fruit, and chocolate notes. We initially brewed this beer to share with our friends and neighbors. As a result, we named this beer after the intersecting streets where this beer was often enjoyed with friends and neighbors.
- Tyrant Double Red : The big brother of our Tyranny Red Ale, this heavily dry-hopped ale is a delicious creation. Tyrant is full of malt rich flavors backed up with deep pine, herb and grapefruit peel aromas, all around a hop heads dream. This is a big, bad beer that drinks a little too easy for the 8.5% abv.
- Slow Down Brown : A malt dominated beer with roasted malt, chocolate, nutty and or toasty flavors. Medium to high bitterness with noticeable hop aroma and flavor. Brown to dark brown color.
- Two Wheelin' : This is a very special beer, brewed specifically for the Woodford Reserve Double Oaked Barrels we somehow got our hands on. This beer required two mashes, which more than doubled the amount of grain we have ever used for a single beer to date. Double mash, double oaked, double wheeled. These specialty barrels help contribute the vanilla, dark caramel, and hazelnut flavors found within this beer.
- Peppercorn Saison : Enhancing the traditional saison aromas of peppercorns and bright fruit, adding crushed white peppercorns brings earthy and funky flavors while pink peppercorns are bright and vibrant. Secondary fermentation with Brettanomyces Claussenii enhances these pepper notes before a dry, quenching finish.
- Emancipator Coffee Doppel Bock : Originally brewed to help monks get through their holy fasts this medal-winning Christian Moerlein Doppelbock is brewed with locally made coffee to help keep celebrants jubilant during Bockfest. Made in collaboration with the legendary Arnold’s Bar and Grill, this beer will be released in a individually numbered 300 bottle batch with first 100 bottles hand signed by Head Brew Master Eric Baumann. Enjoy it now or proudly cellar it to explore a wealth of complex flavors.
- Frylock The Rye Bock : Copper in color, this big, medium bodied lager is full of earthy, spicy malt flavors. Hints of dark fruit and cocoa show up in the finish along with a balanced bitterness. Made with 100% German ingredients including chocolate and caramel rye malts and Opal hops.
- Bourbon Carrot Cake : Bourbon Carrot Cake is an experimental dessert ale made with carrots, marshmallow, vanilla, maple syrup, orange zest, walnuts, pecans and spices and then aged in bourbon barrels. The aroma is enticing, emitting fragrances that literally recreate a slice of carrot cake that has been soaked in bourbon, right down to the cream cheese frosting. Incredibly complex, yet surprisingly balanced, the flavor of each specialty ingredient seems to take its turn. Pleasant flavors of spice and cream resonate on the pallet causing an uncontrollable craving to taste more.
- Tomos Watkin's Cwrw Gaeaf : Brewed using only traditionally floor-malted barley and wheat, along with a blend of crystal and dark chocolate malts to give a warming, rich, full-bodied beer. A choice blend of fuggle and golding hops provides a mellow fruity flavour with a subtle, bitter edge.
- Embrace The Funk - E.H. Doble : Gose aged in Rum Barrels with Grapefruit and Brettanomyces.
- SMaSH 1 : Featuring Vienna malt and Mosaic hops which give this beer hints of apricot and tropical fruit.
- Funky Wit : A sour version of our famed Angel City Wit, aged in French Oak White Wine Barrels, incorporating Brettanomyces and Roeselare yeast for a refreshing, yet complex finish.
- Bavarian Weizen : Our unfiltered wheat beer is a tribute to our Brew Master’s German Heritage. Our recipe is very light amber in color. The yeast is from southern Germany, and produces the clove spiciness and banana fruitiness.
- Funk N’ Sour Series : Batch No. 3: Lucine : A blend of two mixed fermentations made up this tart blonde ale. One spent almost two years in well-traveled chardonnay barrels, the other about seven months in second turn Cabernet Sauvignon barrels, both exhibiting the light funk and bright fruit character that Brett is known for. Their marriage makes a bubbly tart showcase of subtle strawberry, hay, peach, and apricot.
- Corfu Amorosa Weiss : When a different combination of cereals are combined together with a fruity yeast that releases a smooth banana flavour during a double fermentation process, the result can be only one... the ultimate experience... your AMOROSA...
- Pandora Pale Ale : A perfect initiation to our range of “real ales" this is truly an imperial product. We employ a hint of crystal malt accentuated by Golding & Fuggle hops, producing a light, slightly fruity & delightfully aromatic beer.
- 6288 Stout : Introduced in 2007, the 6288 Stout is our winter season specialty beer. It is a rather lengthy process to brew the 6288 Stout. It is brewed with 5 different malted barleys, using American and French hops. Keeping with the Tuckerman tradition, it is cold-conditioned, dry-hopped and bottle conditioned using the krausening process. The fermentation takes about two weeks, twice the time of our other beers and conditioning takes three months! It’s worth the wait, as the extra time gives this special brew time to mellow, offering a very smooth dark, malty flavor.
- Moon Tower Stout : A summer stout, medium bodied and smooth with a mild roasted coffee and toasted caramel notes and a dry finish. A perfect dark beer for a warm summer day.
- Norse Pale Ale : Our Norse Pale Ale is fermented with traditional farmhouse kveik yeast from Sigmund Gjermes in northern Norway and triple-dry-hopped. Complex aromas of orange peel, pine, peach, and white pepper combine with rich brown sugar and honey to balance the moderate bitterness of this hoppy farmhouse ale.
- Cerasus Fermentum : Created by adding Montmorency cherries to a Belgian-style brown ale and aging in an oak cask for four months. The result is a fruity, spicy, tart, complex ale blending oak, vanilla, intense cherry and brandy-like flavors.
- Barrier Reef Nut Brown : English-style Brown ale that is smooth and malty featuring a big nutty flavor.
- 21st Anniversary Fresh Hop Pale Ale : In November of 1989, John McDonald loaded his pickup and drove three blocks down the street to deliver the very first keg of Boulevard beer. Though significantly more assertive, Boulevard 21st Anniversary Fresh Hop Pale Ale is brewed in loving tribute to that original Pale Ale. English pale malt gives the brew a rich, nutty malt flavor. Munich and Caramel malts add color and body, while a blend of Cascade, Hallertau, Magnum, Styrian Golding, and Centennial hops contribute scintillating citrus aromas and complex, peppery notes.
- Double Porter Smoked : This deep dark brew may help to tame those cool evenings and put a little spunk in the long nights. You’ll flavor the sweet caramel malts, roasted grains, a big mouth feel and a touch of smoked grain.
- Tribble Saison : Tribble Saison begins with a grist including triticale and wheat, with heavy use of santiam and crystal hops in the kettle. While not excessively bitter, the beer has firm hop aromas and flavors, while underneath lies a subtle yet complex yeast character from the four brettanomyces strains employed for the fermentation. Don't expect a funky brett bomb - the Tribble is simply a well hopped, extra dry saison that shows the versatility of lesser used yeasts.
- Odd Man Stout : A very dark, full-bodied, roasty, malty ale with a complementary oatmeal flavor.
- Chaos Chaos Russian Imperial Stout : Big dark and strong.
- Volks Brau Oktoberfest Ale : Small batch Oktoberfest made with Dark Munich and Pilsner Malts.
- Mil's Pils : Well-balanced with complex malt flavors that carry strong bitter notes without a harsh finish.
- Štěpán - český Klasický Ležák Tmavý : Unfiltered, unpasteurised pilsner style dark lager with full hoppy flavour, accepted often even by those who otherwise don´t prefer dark beers.
- Laurel & Hearty : Laurel & Hearty illuminates the senses with intense notions of herbaceous pine, dank earth, and subtle underpinnings of rye. On the palate, Simcoe lupulin, Denali, and Columbus hops combine forces to produce bold flavors redolent of resinous ruby red grapefruit. Sufficiently dry and thirst-quenching, Laurel & Hearty will undoubtedly prove to be an IPA designed for summer.
- Squatters Black Forest Schwarzbier : This tasty dark German lager is brewed with Pilsner, Munich, Special B and black malt hopped with 100% German Noble hops. Squatters Schwarzbeir has smooth roast undertones and is lightly hopped, leaving us with a malty delicious lager.
- Black Nitro IPA : A well-hopped, dark IPA served via nitrogen for a thick, aromatic head thanks to fine bubbles from a blend of nitrogen and CO2. A medium-sized IPA hopped with Chinook, Falconer’s Flight, Simcoe, Citra and Cascade.
- Scratch Beer 99 - 2013 (Witbier) : For Scratch #99, we’re revisiting the blissful world of the Belgian-style Witbier, or white ale. This beer typically features a blend of wheat and barley along with spices and Belgian yeast to create a refreshing and complex flavor. With a dense haze from the red wheat and a foamy white head, Scratch #99 incorporates subtle tartness and a delicate orange aroma that complements the spices and the LaChouffe yeast. The finish is dry and crisp.
- Paradisiac : We brewed this beer with the man, the myth, the legend, P. Adam Vavrick, beer manager at Binny's LP. It's a wit beer brewed with lots of juicy strawberries and pounds of tart, tangy kiwis. It's a great summer fruited beer. Paradisiac was originally brewed as a one-off for an event at Norse Bar, but we liked it so much we're making it for a second time. This beer is named after Adam. Lots of people don't know this, but Adam's first name is really Paradisiac. Ha! We're kidding. But it is named after one of Adam's favorite songs.
- Green Man Porter : Dark, full-bodied, and rich in flavor, Green Man Porter is wonderfully easy to drink. It offers a creamy, smooth mouthfeel and finishes with distinctive chocolate notes. This traditionally crafted, award-winning British-style Porter, like a true rock star, enjoys a legendary following.
- True Story : How do you design a dark beer to be light yet still interesting? We think we achieved it with this beer. We brewed this brown porter with a plethora of specialty malt but achieved a lighter body and flavor than most porters. Late additions of Molasses and Smoked Sea Salt added some complex flavors and an elevated fermentation temperature provided some fruit forward notes that we think work well together. 
- Dark Saison : A dark saison fermented in a 500l merlot barrel, which gives the beer a wonderful chocolate notes.
- Fading Light : Fading Light is a dark ale, layered with caramel and toasted malts, and aged for over a year with Brettanomyces. Flavors of dark fruit blend with notes of coffee and chocolate over a rich, earthy background. We hope you will raise a glass with us, celebrating the cycle of the sun’s fading light and the promise of its return.
- IPA : Our brand new single-hop IPA is a splash of sunshine with bright citrus notes and a hint of herbal spice, balanced with a smooth and slightly fruity malt base. A refreshing and highly drinkable IPA, bring this one along on your next adventure!
- Perpetual IPA : At Tröegs, artisanal meets mechanical in a state of IPA we call Perpetual. Cycling through our HopBack vessel and dry-hopping method, this bold Imperial Pale Ale emerges rife with sticky citrus rind, pine balm and tropical fruit.
- The Expat : A contemporary take on the modern French classic. Malt-driven notes of toffee, almonds, dark bread & golden raisins spiked with elderberries & a hint of elderflower.
- Dark Heron : https://www.fremontbrewing.com/dark-heron/
- Millennium Buzz Hemp Beer : Millennium Buzz Beer is a hemp-based red lager made with the finest B.C. hemp, dark roasted Alberta malt and choice German hops. It's cold-filtered with no preservatives or additives. This healthy mix of pure, wholesome ingredients - plus the natural goodness of hemp - accounts for its singularly clean, smooth refreshing taste.
- YouEnjoyMyStout : THE CROWD GOES WILD! A smooth bass line of roasted notes establishes the deep end beneath arpeggios of complex chocolate malt, while power chords of caramelized grain open up to an extended malty jam. Black barley teases treacle character and wades into a velvety sea of oak-derived vanilla and toasted coconut tones. Sustained improvisation of fruitiness modulates to an intense finale, and encores with a rich, espresso-roasted reprise, a capella.
- #hashtag Sportz : #Hashtag Sportz is a light-bodied, crushable ale, blended with electrolytes with aromas of fruit punch and a tart, sweet & salty finish.
- Hedge Witch : This outlandishly delicious DIPA is packed with a mega-dose of Citra & Amarillo hops, yielding a massively tasty beer, its hazy depths bursting with big, vibrant flavors and aromas of citrus, stone fruit, and tropical magic. Ready your palate for intense pleasure.
- Off Black : The idea was what if we stained First Lager black with chocolate malt – a bit of a trick of the eye? But Off-Black became so much more than that. The color is truly deep, but a careful observer will see the softer tones of brown and red creeping in, thus the name ‘Off Black.’ The subtle roasty astringency of the dark malts interacts in concert with the styrian golding hops to give a refreshingly new palate to our take on a pilsner.
- There And Back Again : A tale of a spontaneous fermentation, isolation, confiscation, rejuvenation, mutation, and finally perturbation. This sour American Wild Ale, is a collaborative effort with our dear friend Dr. Jason Rodriguez. We took our house “honey badger” mixed culture (no saccharomyces) and allowed it ferment over several months before dry hopping it with a touch of citra and galaxy. It pours a hazy golden yellow releasing bright notes of pink grapefruit, lemon, pineapple, and passion fruit. It tastes sour and juicy with similar notes as the smell.
- Kevin From Sales : Kevin was brewed intentionally to be the most acidic of the sour IPAs we've released so far. Kevin was also brewed with 100% Mosaic hops. This is probably our favorite of the 3 sour IPAs we've released so far. Lemon acidity, dank/citrusy aroma, peach, passion fruit, grapefruit. Cray cray! We think this turned out pretty rad and we hope you do too.
- Cellarmaker / Berryessa Fruity Rebels : A new take on the Session IPA style. Fruity Rebel packs a healthy dose of vitamin C into your glass with the addition of five unique citrus ingredients: pomelo, blood orange, cara cara orange, meyer lemon, and budha’s hand. Foregoing the hops in the boil, the bitterness comes from ICUs (International Citrus Units), and a dry hopped finish of Warrior and Chinook hops.
- Canvas Series: Brett Tyranny : Brett Tyranny is a brett rendition of our flagship red IPA aged with our house strain of brett. The addition of a pound per gallon of tart Montmorency cherries transforms our classic hoppy red into an even more complex IPA.
- Dead Santa Holiday Porter : What do the holidays bring us each year? Great times with friends and delicious deserts full of chocolate, caramel, and spice. Heretic’s Dead Santa is a dark, rich porter with big notes of chocolate and caramel. We then infuse it with our own mix of holiday spices, a perfect holiday treat for enjoying by the fire with friends.
- Le Grand Pamplemousse : Grisette brewed with grapefruit and peppercorns.
- Grassy Bay : This Belgian Style Farm House Ale is sure to astonish your taste buds. Crazy amounts of stone fruits, lemon citrus, spice and of course (you guessed it…) grass. Earth tones and the aroma of freshly planted fields of lemon grass will fill your senses. We think if you could drink sunshine, this might be what it would taste like.
- Peanut Alert : Breaking the "shell" of traditional American brewing, this nutty ale creates a new classic with its smooth and natural peanut-rich flavors. There's no "ifs", "ands" or "NUTS" about it - this is an ale you'll want to crack open!
- Moonwake : Sour Black DIPA with raw wheat, malted oat, black malt, milk sugar, dark chocolate and raspberries; hopped with Azacca.
- When Helles Freezes Over : Pleasant, bready, and sweet are all adjectives describing this classic German styled lager. There is a presence of medium to low spicy hop bitterness. The appearance of our Munich Helles is slightly darker in color than its commercial counterparts, but it boasts clarity and a creamy white head. Helles has a medium body with medium carbonation. This beer truly shows off Munich malt at its best.
- Bolt Cutter : Bolt Cutter is a cellarable barley wine with an ABV of 15%. Dry-hopped with a mountain of Cascade hops, it’s balanced by a malty sweetness and spicy complexity, resulting from barrel aging some of it in bourbon barrels, some in maple syrup-bourbon barrels and some not at all (standard fermentation only). We’ve allowed the beer to mature in bottles and kegs since July so that it would be perfect for its release next month. Bolt Cutter pours a deep copper color and is best sampled at different temperatures to allow the flavors to unfold.
- Double IPA : Double the pleasure of our IPA. Fruity hop profile initiates the aromatics if this complex beer, along with a pleasant mango/pineapple juice flavor profile. More hop flavor than bitterness. Dry hopped with Azaca.
- 10th Anniversary Ale : Tenth Anniversary Ale was a beer brewed to celebrate 10 years of brewing artisanal Belgian style ales. A unique interpretation of our flagship Allagash White, Tenth Anniversary is a blend of two different whites; a sweet batch (brewed in February, 2005) and a dry batch (brewed in March, 2005). By blending the two batches, an additional complexity is imparted. Further complexity, most notably expressed by the delicate vanilla notes, was gained by aging some of the beer in new oak barrels.
- Stratofortress Cedar : Aged on cedar soaked in dark rum, the first thing that will strike you about this beer is the spicy cedar nose. Notes of figs and ripe fruit will delight you before the rich Belgian spiciness coats your tongue. The lingering aromas and flavors of cedar and rum stick with you until your next sip.
- Bayou Bootlegger Hard Root Beer : Bayou Bootlegger is a decidedly adult take on the old-fashioned soda fountain root beers of days gone by. Gluten-free and sweetened with pure Louisiana cane sugar, this handcrafted beer delivers aromas of wintergreen, vanilla and sassafras, with hints of clove and anise. Enjoy its smooth, complex and satisfyingly sweet flavor as your go-to thirst quencher or paired with your favorite meal.
- Kerfuffle : Kerfuffle is a Berklinier weisse aged in oak barrels with raspberries and strawberries. Lightly tart and downright refreshing, this golden sour displays notes of berries and citrus fruits.
- L'Ours : Barrel-aged rye ale that is an evolving concept. Each blend will be unique with the dominant flavors being sour or bitter or fruity. The beer will always be a blend of 20% sour rye ale aged for 2 years in Banyuls wine barrels and 80% a fresh saison.
- Mas Frambuesa : Mas Frambuesa is a celebration of raspberries, doubling the amount of fruit used for our frambuesa de la Casa. It all begins by aging our mature foeder saison on a very high concentration of raspberries. Following several months of re-fermentation Mas Frambuesa is then blended with more foeder saison to the preferred balance of fruit and acidity.
- Late Night Mild : Dark, light bodied, roasty, and a very sessionable 3.6% abv, brewed at EEBC with Daren Szakelyhidi.
- Porter De Los Muertos : This mole porter was brewed with our Indiegogo Guest Brewer Drew Zemper. Inspired by the fusion of chocolate and spice, we created a porter with notes of dark chocolate and roasted coffee beans, and added a profound amount of poblano peppers during the boil. The result is a porter with distinct pepper and chocolate aromas and flavors, with a subtle spiciness that never gets in the way of the beer.
- OP Porter : Luscious and silky smooth with a body to match, OP Porter is uncompromisingly rich yet surprisingly drinkable. A complex blend of dark malts and real milk sugar creates the bold flavors of dark roast coffee mingling with farm fresh cream. For the stout and porter lover in each of us, OP is a knockout.
- James & The Giant : Bold & complex Belgian Strong Blond Ale aged on peaches & finished with a blend of Brettanomyces Claussenii & Lambicus; strong, balanced & dry, with a mix of stone fruit, white pepper & earthy funk throughout.
- Barrel Aged Imperial Stout : To commemorate our first five years, we bring you this Imperial Stout, which has been aged in rye whiskey barrels for no less than 15 months. The deep color and malty backbone come from heavy additions of dark-roasted and caramel malts. These chocolate and coffee characteristics are balanced by mild hops and from the complex esters developed through the Belgian-style yeast during fermentation. Barrel-aging for over a year has imparted the deep oak and rye whiskey flavors that make this one flavorful brew!
- The Wind Bretta : We took our Gose, aged it on fresh organic grapefruit, and then dry hopped it with Citra hops. For Batch 1 of The Wind, we re-fermented the beer with Brettanomyces. The resulting beer is incredibly complex, funky, and delicious. Please take note, we will be producing bottles of The Wind on a semi regular basis going forward, however we will not be incorporating Brettanomyces again. So, this batch is a rare opportunity to see the complexities that Brettanomyces imparts to an already wonderful beer. The Wind, Batch 1, has been cellaring for 6 months and is full of flavor.
- SmoKin Porter : Brewed and named in honor of TestPilot 001 Jeff Kramer the SmoKin Porter is a full bodied robust porter exhibiting a mildly smoky character complimented by a generous helping of CTZ hops for bittering and Mt. Hood hops for flavor and aroma. With an ABV of 7.2%, a bitterness of 51 IBUs and a deep dark SRM of 32, the SmoKin Porter drinks remarkably smooth for such a dark colored beer. With skills that rival Kramer's own, the SmoKin Porter is a delicious choice for any occasion.
- Yards Rye : This beautifully complex, boldly hopped, amber-colored IPA uses rye malt to give the beer a subtle spiciness. It’s bittered with Bravo and Nugget hops before heading to the hop back packed with whole flower Chinook. Finally, we bomb it with Centennial, Citra, Simcoe, and Columbus, creating a pungent ale with intense notes of citrus and pine.
- Juicy Peach Ale : Few fruits say summertime like a ripe, juicy peach. Fermented with a peach puree, this light and refeshing ale beckons the warm days of summer…
- Stoutwood : Introducing Stoutwood: the second installment in our soon to be award winning and earth-changing Cooper's Series. The unique and complex flavors found in these beers are the aftereffect of being aged in medium-toasted White American Oak barrels. Stoutwood offers the palette notes of fruit and coconut; similar to an oak aged Chardonnay.
- DaDo Bier Royal Black : This is a special Bock style beer, with low fermentation and higher alcohol content (5.5%vol.). It is prepared with mineral water and imported dark malted grain. Its stout flavor goes well with pastas, meats, sweet sauces and desserts.
- Rocky's Revenge Bourbon Brown : Deep in the darkest depths of Rock Lake dwells a great saurian known today as Rocky. The legend of Rocky is old. The ancient inhabitants of Aztalan warned of the beast by building a giant serpent mound at the lake's edge. The early residents of Lake Mills were forewarned of a guardian placed in its lake to protect its sacred stone tepees. And history tells of numerous encounters with Rocky, who became a source of great worry and fear. Although not seen for over a century, divers still experience a feeling of dread and being watched. Enjoy Rocky's Revenge, our offering to this legendary protector of Tyranena.
- Family Jeans : Session IPA dry hopped with Citra, Galaxy & Vic’s Secret Hops and finished with Grapefruit. Brewed in collaboration with Alisson’s Restaurant in Kennebunkport.
- Great Lakes RoboHop : RoboHop Imperial IPA is not a beer to trifle with. The unfiltered beer pours with a deep orange hue with a bright white head. The aroma is fantastic. Tropical fruits abound from the glass, which consist of passion fruit, guava, lemon with notes of white grape and evergreen mingling together. Makes you think of cotton-candy. Traces of soft warming alcohol notes are also detected. The full-bodied 8.5% Imperial IPA is very gentle on the palate, making it one sneaky bugger. Many of the aromas come through in the taste, resulting in a very pleasant juicy finish that’s slightly dry, and, as stated in the description – bracingly bitter. An easy-drinking Imperial IPA.
- Geary's Oakie Doekie : Deeply malty, with caramel apparent. Smoky secondary aromas are also present, adding complexity. Hops are quite low. Dark brown color, with deep ruby highlights. Clear with a large tan head. Richly malt with kettle caramelization. Hints of roasted malt and smoky flavor are present. Hop flavors and bitterness are medium-low, so malt impression dominates. Full-bodied, having a thick, chewy viscosity. A smooth, alcoholic warmth is present and is quite welcome since it balances the malty sweetness. Moderate carbonation.
- Merrill Marzen : "Introduced at our first Octoberfest celebration, this German style lager uses a unique five-malt combination. It is finished with Saaz hops. The result is a beer that is slightly darker and bolder than our second Octoberfest offering, Vienna lager. The alcohol content is 4.5%."
- Straight Jacket : (Barrel-Aged Institutionalized) A strong ale to warm your insides in the dead of winter. Deep aromas and flavors of dark stone fruits, bourbon, molasses, toasted coconut and vanilla come in waves.
- Half Acre / New Belgium 2023m2 : 2023m2, brewed at Half Acre last month, is a soft sour ale that features the delicate complexity of a well designed New Belgium beer. A partial kettle souring process and light use of Maresh and Sumac all lend an equal hand in delivering a full experience. The numerical name ties into the area measurement of an actual Half Acre. Our hope, though, is to again brew together in the year 2023 and send that beer to the first group of people living on Mars.
- Stiegl Radler (Grapefruit) : Real grapefruit juice gives this deliciously refreshing Radler (mixed beer drink) its amber natural cloudiness and pleasant tangy taste. The refreshingly fruity taste makes Stiegl-Radler Grapefruit a wonderful thirst quencher.
- The Illustrious Sir : A single-hopped IPA loaded with Simcoe. Reminiscent of grapefruit.
- Oat (Imperial Oatmeal Stout) : The Blackwater Imperial Stout Series is full of delicious dessert beers, with one exception: Oat, our Imperial Oatmeal Stout. Pouring black as night, with a mocha colored head, big dark flavors of molasses and bitter malts conspire to hide the high alcohol content.
- Tart Sour Ale (Berliner-style Weisse) : Traditional sour wheat ale inspires by the German original. Made with wheat and pale malt, this beer is refreshing and quaffable with flavors of sourdough and citrus fruit.
- Raspberry Wheat : Remember the 90’s, when flavored wheat beers and acid-washed jeans were everywhere? Well, acid-washed jeans are back, and, in the spirit of the fashion cycle, Hellbent is resurrecting another classic: Raspberry Wheat Ale. Light, fruity and refreshing, with fresh raspberry aroma and a semi-tart finish--this beer is a delightful way to beat the summer heat.
- Mccabe's Not Irish Stout : A very dark, full-bodied, roast ale with a complementary oatmeal flavor.
- Nanquim : This Imperial Stout made in collaboration with Cerveja Letra (Portugal) was fermented with cachaça yeast from Brazil, and later added Cocoa seeds from Bahia. Aged for 10 months in Portugal, in Port wine casks after a earlier stage in casks of a portuguese wine spirit called Aguardente Vinica, Nanquim revealed its a deep black color beer, with a unique sensory complexity.
- Scratch Beer 129 - 2014 (Fest Lager) : Although we’ve brewed many a Scratch Lager in the past, we’ve yet to do a bona fide Vienna Lager. Until now, that is. Developed in 1841 by brewer Anton Dreher in Vienna, the style is coincidentally uncommon in Europe today. However, it gained notoriety during the early twentieth century in the United States and is generally referred to as “Pre-Prohibition Lager” in today’s beer lingo. The defining characteristic of a Vienna-style lager is its toasted malt flavor, which elicits hints of crusty bread or fresh baked biscuits. Traditionally, it is darker than most U.S. produced lagers, and boasts an attractive reddish-brown, copper-tinged coloration. Although it took us a while to finally brew this classic style, Scratch #129 is here for your enjoyment. When will you realize Vienna waits for you?
- Activate! (Kenya) : With Activate! we’ve taken a robust porter and infused it with local coffee, masterfully roasted by Jesse Medley of Union Coffee Roasters. Our black ale’s rich cocoa and subtle caramel notes provide a lovely base to freshly roasted Burundi, a bourbon varietal described as tart, juicy, with fruity characters of strawberry, blackberry, apricot, lemon, and grapefruit.
- Belgard : A luscious, dark chocolate malt backbone married with fresh roasted cold brewed coffee.
- Milkshark - Passion Fruit : This heavily dry-hopped Milkshake-style IPA was brewed with lactose sugar and apple pectin, and was conditioned on vanilla and a huge amount of passion fruit puree.
- Southern Passion + J-17 : We had to import these hops ourselves but it was worth it. Southern Passion/J-17 is an exploration of two relatively unknown new South African hops. The Southern Passion hop has some subtle passion fruit and lemon/grapefruit character along with some floral notes. The J-17 hop adds some gooseberry, berry, and some slight spice.
- Hazed In Captivity : Hazed in Captivity - that's what we call the tamed wild animal of a beer we brewed for the Taproom this week. Brewed w/Brettanomyces & massively dry hopped w/Galaxy & Nelson Sauvin hops. Love the fruity nose, dry finish, barnyard funk & citrusy flavor.
- Portsmouth Schwarzbier : A black lager without the roasty character usually associated with a dark beer. Medium-bodied & quite drinkable.
- Big Wave Golden Ale : Big Wave is light golden ale with a subtle fruitiness and delicate hop aroma. A smooth, easy drinking refreshing ale. The lightly roasted honey malt contributes to the golden hue of this beer and also gives a slight sweetness that is balanced out by our special blend of hops.
- No. 21 German Dunkelweizen : Rich, dark version of the German Hefeweizen with a more complex taste involving hints of chocolate and dark malty sweetness.
- Furious Black : Created for Darkness Day 2015, its overall presence and citrusy hoppy aroma is recognizably Furious but with subtle roasted notes and black in color.
- Winter Warmer 2012 : Dark amber ale with superior strength to keep you warm this winter.
- Cerise Cassée : Cerise Cassée is a complex beer in both process and palate. Multiple fermentations begin in stainless steel with our house ale yeast, then spontaneous refermentation and aging along with 300 pounds of sour cherries takes place in the infamous CBC barrel cellar.
- Mr. Sandman : American imperial stout ranked #1 in the country in a blind tasting by Paste Magazine. No adjuncts, just copious dark malts. Released a few times per year.
- Buddy Brew : American wheat ale brewed with coriander and grapefruit peel. A soft, smooth, golden body and subtle sweetness. Brewed specially for Buddy's by Griffin Claw Brewing in Birmingham, MI.
- Insulated Dark Lager : Brooklyn Insulated Dark Lager is your protection against biting wind and soggy weather. German Munich, roasted Carafa, and Pilsner malts create a nimble, racy body, while a helping of American black barley adds just a hint of roast coffee. A light dry hopping of American and German hops pitter-patters across the nose and dives into the dry, warming finish. Try it with dark breads, hearty meats, and sturdy cheddars. If you still feel the chill, just add another layer and enjoy your insulation.
- Jananna Dance Red Headed Ale : Sessionable hoppy red ale brewed by our GM Janna! Dark crystal malts combined with Citra and Mosaic hops and dry-hopped with more Mosaic. Ruby red ale with loads of hop aroma and flavor that makes you want to dance!
- Dolden Dark : When the sun went down and the moon in the dark sea was reflected , the hard toiling dockworkers in 18th century London completed the day with a porter. In harbor pubs and taverns flowed the deep black beer galore. Our tribute to these hard-working guild is a full-bodied porter. Stronger than his ancestor , with a velvety smooth taste and a touch creamy coffee and chocolate, thanks to the carefully selected malts from the historic emmer and rusted spring barley. Perfect for every working day.
- New Hop Aesthetic : We brewed this DIPA with hops from Australia and New Zealand to create a pleasant tropical fruit flavor profile. Notes of citrus, star fruit, musk melon, and passionfruit will titillate your taste buds followed by a delectably bitter finish.
- Notes On Achieving Orbit : Achieving Orbit, weighing in at 9.2% is our native fermented dark rye ale featuring North Carolina heirloom rye malt and a blend of flavorful dark malts. This rustic refined ale was fermented and aged in regional bourbon barrels with our blend of natively collected yeasts and then soured with our locally cultured lactobacillus. The result is a subtly sour, complex, full-bodied sour ale with notes of dark fruit and just a hint of bourbon barrel character to round out the flavor.
- Scratch Beer 33 - 2010 (Saison De Mueze) : Starting with a blend of pale malt and wheat along with honey malt - a pale Canadian barley with a distinctive sweet finish - Scratch #33 includes orange peel, coriander, elderflower and honey bush for a subtle fruit balance that complement...s the pepper zest of Saison du Pont yeast. Following the boil, the wort passed through our hopback (filled with spices) and then began a rapid ferment at a higher than typical temperature for an ale yeast. Following fermentation, Scratch #33 was bottle-conditioned with Westmalle yeast and warm-aged for two weeks to create a vibrant carbonation with an effervescent finish.
- Fruity Bits (Pina Colada) : Fruity Bits is a rotating IPA series inspired by our popular New England style IPA, Juicy Bits, and brewed with real fruit to complement the hop character of the beer. For Fruity Bits – Pina Colada we used Mosiac and Citra hops for their tropical fruit notes, then added a ridiculous amount of pineapple and raw and toasted coconut to compliment the juicy hop character. The result is the most fruit-forward and unique IPA we have released to date.
- Shadow Caster Alt : Embodying the rogue qualities of Brad Pitt’s portrayal of Paul Maclean, this American-style amber ale is far from traditional. Its pronounced aroma sets the scene for rich, caramel malts on the palate, which in turn taunt with perceptions of fruity esters. The balance of strong, sweet maltiness with moderate hop bitterness makes a crisp ale with a clean finish. Get hooked on this one! He would pivot, reverse his line in a great oval above his head and drive his line low and hard downstream, again skimming the water with his fly…creating an immensity of motion… He called this “shadow casting.” – Norman Maclean, A River Runs Through It
- Bourbon Evil Urges : Belgian Dark Strong Ale aged in Bourbon barrels
- Black River Gumbo Stout : This dark deliciousness is named after the gumbo dirt of the Des Moines River bottom which nourished our Peace Tree and is now used as the surface for Knoxville’s famous Sprint Car track. Instead of using traditional ale yeast required of a stout, a Belgian yeast was used to add complexity. This stout is brewed with high quality pale malt, three roasted malts and two caramel malts. The dark roasted caramel malts contribute to the chocolate and toffee characteristics. Three varieties of hops contribute to the bitterness and aromas of this beer.
- Von Tassel : We cleaned out the pumpkin patch on the farm to fill the mash tun for this beer! Using 80 lbs of earth oven roasted pumpkin flesh, we made a bright fall blonde ale with a fruity and floral sweetness and a light, grainy finish. With its subtle spice notes reminiscent of earthy ginger from the special belgian yeast alone, this blonde will have you throwing pumpkins at all rivals.
- Westmoreland White Belgian IPA : A substitution of wheat for our base grain (2-row barley) gives this summer seasonal a lighter, cracker-like malt backbone, which supports a tropical fruit forward hop bill: Belma and Crystal. Then we fermented this batch with a blend of our house American Ale and seasonal Belgian Ale yeasts, layering it with fruity esters and spicy phenols.
- Magnetic Compass : Magnetic Compass prominently features NZ Rakau hops, bringing a unique mix of candied orchard fruit, stone fruit, and tropical aromas with some light dank elements. Background notes of Citra, Mosaic, and Columbus. Very hazy and juicy. Roll your can to suspend hop particles and enjoy.
- Infinite Wit : A light-bodied Belgian wheat beer brewed with Organic Orange Peel and Organic Coriander. Light and refreshingly crisp with a mild fruity/citrus character.
- Zephyrus : Zephyrus is a spelt super Saison fermented with a freaked out blend of yeasts and conditioned on our proprietary blend of citrus fruit. We conditioned Zephyrus on blood orange, lime, and grapefruit.
- XX Mountainberry Double Wheat Ale : Grand Teton’s original fruit beer, Huckleberry Wheat, was brewed for about five years beginning more than a decade ago. It was light and sparkly, with just a hint of sweet-tart mountain huckleberry. 2008's celebratory version is bigger in every way—more than double the original’s malt, fermented to 7.6% alcohol by volume, then flavored with more than a pound per gallon of fresh Pacific Northwest huckleberries, blueberries and marionberries.
- Higher Love : This American Pale Ale is tremendously floral with notes of jasmine and rose and hints grapefruit and lemon. Hopped with Amarillo, Centennial and HBC 344. 
- American Bungalow Brown Ale : Four malts and a bit of oats are used to design a dark ale with pleasing caramel malt undertones. Subtle hop additions in the brewing process finish this great tasting and easy drinking brown ale.
- Grande Dame Oud Bruin : A sour brown ale, brewed in the Flemish tradition, that rivals even the best Oud Bruins coming out of Belgium. Elegant and rustic, and full of complex flavors, berries, spice, and a hint of nuttiness, this is a great beer to share with friends on a special occasion.
- IPA For Change : Dark green wax.
- Vanilla Bean Porter : There’s nothing simple or run of the mill about this “little pod” harvested from the finicky vines of vanilla orchids found on Indian Ocean islands. The thousands of richly aromatic seeds buried inside each of these plump vanilla fruit pods became our beer-making muse for this porter recipe distinguished by chocolate malt and Madagascar vanilla bean. This latter luxe ingredient imparts a delicate creaminess and palate-seducing softness. Additionally, its presence heightens the roundness of the chocolate undertones and hints of coffee typically associated with beers of this style. Dripping in the world’s second-most expensive spice, this porter is extremely drinkable, with just the right amount of vanilla bean richness and deepness.
- KLB Nut Brown Ale : A classic brown British ale rich in colour and taste, this beer is crafted with six different malts and finished with East Kent Goldings hops. Dark brown in colour, Nut Brown has a full malt body that settles smoothly on the palate towards a slightly sweet finish. Hints of honey and chocolate malt give it a truly unique flavour.
- Tundra Wookie : Belgian Dark Special Ale brewed with Lambic Yeast and aged in Oak Barrels with Tart Cherries.
- The Demon's Farm : Dark Ale Matured 40% in bourbon barrels & 60% pinot noir barrels with oregon cherries.
- Schlafly American IPA : Our American IPA gets its bold hop flavor from 100% American hops and its deep gold and full body from pale and crystal malted barley. A blend of Amarillo, Centennial and Simcoe hop varietals imparts AIPA with bitterness and prominent aromas of citrus and fruit. Our brewers select these hops on an annual pilgrimage to the hop farms of Pacific Northwest.
- Mysterioso #29 : Imperial dark saison.
- Session IPA : This session beer has everything an IPA has, while keeping a light, clean taste. Aromatic notes of grapefruit and mango combine perfectly with the dry hop additions of Mosaic, Amarillo, and Columbus.
- Beach Pail : A single hopped pale ale with a powerhouse aroma that is reminiscent of sun bathed tropical fruit, this gentle goddess borrows her unnatural beauty from the effervescent green hero known as the El Dorado hop. With just a sprinkle of honey malt to help our hop hero truly shine in the sunlight, you’ll never think of beach pails the same way.
- Buried At Sea : Decadent and complex while remaining wholly refreshing and drinkable. This stout is brewed with milk sugars and chocolate to give rich flavours and body that goes down smooth. Taste of chocolate and smooth mouthfeel, due to the additions of dark chocolate and milk sugars (lactose) respectively. While dark, rich and decadent this beer finds balance and subtlety in its lightness and drinkability. Great for matching with sweeter dishes and intense desserts.
- Saison Flora : Our Saison is light in color and body, yet it has a complexity found in few other brews. Pilsner malt is used for the beers' light body, Belgian Abbey yeast adds fruity aromas, and the beer is finished with Saaz hops and an array of herbs, spices, juniper berries, and rose petals. Enjoy the complex aromas and flavors of SAISON FLORA.
- Rondy Brew 2011 : The official beer of Fur Rondy 2011 is yet another great brew from Anchorage’s Midnight Sun Brewing Company. Rondy Brew 2011 is a Winterfest Lager, offering rich, smooth malt refreshment to enjoy during the cold dark days of winter that bring us together.
- Milly's Whiskey Barrel Porter : This rich brown porter was aged for one month in a Tennessee whiskey barrel. The combination of oak,whiskey and Brettanomyces make this a very complex offering.
- Unicorn Juice : American Wheat beer with hand picked passion fruit. The passion fruit comes from the unicorn passion fruit farm that is fully maintained by Umpa Lumpas.
- Arthur's Porter : A bit of smoked malt and a bunch of oats, bring in a complex porter hopped with nugget and cascade. The smoked malt is just enough to let you know it’s there, but it’s not over powering. The oats bring in a smooth, silky texture.
- Boswell Cream Style Ale : A light bodied, straw colored ale made with pilsner malt. This beer has a light refreshing character with a medium maltiness accented with light tones of fruit and spice imparted from the strain of yeast used in fermentation.
- Whitetail Wheat : Our most popular beer! An unfiltered wheat beer with notes of citrus and fruit and a clean yeast character. Served with a lemon.
- Cognac Masterpiece : This is Eclipse on steroids, and it is big in every way. Materpiece pours a rich dark brown, verging on black, with a tan head and gives a delightful aroma of cocoa, cognac, vanilla and dark fruits. On the pallete you get brown sugar, dark molasses, and a slight bitterness. The sweet Cognac elements really compliment this huge imperial stout, getting more complex as it warms. Definitely a beer to sip with friends and ponder life’s big questions.
- Shake Your Money Maker : Honey roasted peanut and fresh coffee aromas arise from the glass of this deliciously balanced brown ale. Dark Chocolate, hints of vanilla and nutty undertones are evident mid-pallet, while roasted coffee beans round out the finish.
- Bourbon Barrel Aged Dark Matter : Dark Matter aged for 10 months in Woodford Reserve bourbon barrels.
- Your Favorite Jerks : Simcoe & Citra cryo hop powder, its mellow, ripe fruit forward and ultra soft.
- Cellar 3: Silva Stout : Our Double Stout ages in oak bourbon barrels, and artfully emerges as Silva Stout. This midnight black ale features elegant notes of oak, vanilla, dark chocolate, coffee, roasted barley and ripe cherry. Round and delicately balanced in body, each sip envelops the palate with its impressively complex craft composition.
- Natsumikan Ale : Brewer's Notes: Baird Natsumikan Ale is brewed with whirlpool additions of ample quantities of freshly peeled and stomped natsumikans that were grown in the Heda orchard of our good friend Nagakura-san. Natsumikans are grapefruit-like both in appearance (large, round, yellowish orange) and in flavor (tart and sweetly sour). The tart natsumikan flavor is supported by a big, sweetly malty wort base that is accentuated by a high mashing temperature. Additional citrus and floral notes are provided by an All-American lineup of hops: Simcoe, Horizon and Mount Hood. ABV is approximately 5.4-6.0%.
- IPA : IPA (India Pale Ale) is a pale, yellow-tinged, distinctly aromatic American-type ale. A simple malt base allows the Amarillo and Simcoe hops to predominate in this beer. The solid, dry hoppy flavour is brightened by tropical fruit, citrus and mango tones. Appreciated by lovers of bitter beer.
- Laughing Loon Lager : Laughing Loon Lager is a dark beer made with the delicate flavor of chocolate malts. Roasted barleys impart a malty aroma to this Munich Dünkel style lager. Its smooth and silky texture will make you smile.
- $alt Lyf3 : $alt Lyf3 is a 5.8% IPA hopped intensely with Simcoe and Centennial with sea salt. Super expressive aromatics/flavor profile. Bright lemon peel, Grapefruit flesh, passionfruit, a touch of pine. The sea salt comes through on the finish and dries out slightly. We love this one for realzies. Perfect for ripping a 3' gnar gnar barrel with your bro-brahs.
- Black-O-Lantern : The next release in our small batch, high gravity OT Series is a completely new formulation Black O Lantern – Imperial Pumpkin Stout. This deep, dark, and intensely rich imperial pumpkin stout has flavors of cinnamon, clove, and nutmeg that complement the chocolate and roast character. At 8.5% ABV, this beer finishes surprisingly and dangerously smooth!
- SIGTEBRØD : Our latest collaboration with our Scandinavian friends at Amager Bryghus. Inspired by Danish wheat bread, this beer incorporates stone ground whole wheat flour in the mash to add a rustic, bready flavor. Candied orange, lemon and freshly baked bread permeate the nose. Complex flavors of tangerine peel, grape and rustic bread emerge on the palate, rounded out by a crisp and balanced finish.
- PAPPAS : With aromas and flavors of dried cherries, stone fruit and hints of melon, this copper colored double IPA is not overwhelmingly bitter, but still has enough bitterness to balance out the flavors and textures of this big beer.
- Collective Project: Dry Hop Sour : After the never ending battle between the hop heads and sour lovers, we decided to appease the two. Using Nelson Sauvin from New Zealand and Citra from the Pacific North West, this mixed fermentation brew is juicy, sour and extremely refreshing. Nelson adds a white grape and passion fruit base, while Citra explodes on the nose with lime, lychee and grapefruit. Sour and hops in perfect, thirst quenching, melody!
- Mama Risa : Dark Sour Ale with Tart Cherries and Bourbon Oak
- The Bamb : Roasted malt, caramel, and barley provide a power body which hit’s upfront. From there, 62 IBUS of piney hops provide a refined bittering finish. Overall a complex texture with various notes of coffee, chocolate, caramel, pine and citrus makes this a one of a kind beer!
- Puzzles & Pagans : Bourbon Barrel Aged Imperial Raspberry Almond Stout. A complex grain bill with a broad range of toasted and roasted malts provide familiar flavors of toasted English Muffin, Toffee, Raisin, Espresso, and Chocolate. Balanced by the bright flavor and aroma of Raspberry that emerges from the rich malt character. An earthy and comforting aroma and flavor of Roasted Almonds complements the vanilla notes from the Bourbon Barrels.
- Barrel Aged Deep Space : Our flagship beer, Deep Space is a huge imperial stout which was made with all sorts of roasted and caramelized malts, giving it deep flavors of espresso, dark chocolate, and smoked currants. This Version spent one year in barrels and will be released for the first time at Extreme.
- Hobneelch’n Hoppy Saison : Although our Hobneelch’n Hoppy Saison gets its name from the Boontling word for “dancing,” it certainly swings to the beat of a different drum. Unlike classic saisons, we’ve forgone additions of coriander and spices in favor of a more complex and layered flavor profile using Bravo, Citra, Centennial, and Amarillo hops. Brewed with oats, wheat, and pale two-row malts and fermented with traditional saison yeast, this unique twist on a farmhouse ale boasts hoppy aromas and tart, funky citrus flavors leading to a dry finish.
- Dogpatch Sour : This barrel-aged wild ale is named for our San Francisco neighborhood and pays tribute to the Flanders Red style of beer. Aged in wine barrels, this lightly tart ale is brewed with California Rainier cherries using a house blend of wild yeasts, bacteria and SF sourdough yeast. Pair this complex ale with ripe figs & blue cheese or seafood bouillabaisse.
- Gose - Lime And Basil : A continuation of our fruited gose series, this batch was conditioned on fresh lime zest and loads of fresh Italian basil leaves.
- Sleeping Dog Stout : Our stout lives up to the highest expectations of dark beer lovers. Roasted malts contribute notes of coffee and chocolate, while rolled oats lend a full and rounded character to the palate. So kick back in your easy chair with your trusty dog at your feet and a pint of Sleeping Dog Stout in hand – you can almost feel the heat from a roaring fire as you savor this warming brew.
- The Continental : "Oh. I see you let yourself in. You look much more ravishing in person. Fantastic. Can I offer you a glass of this Scotch Ale? It's brewed with walnuts. The dry, yet carmel-noted, yet roasty malt bill compliments the clean Scottish Ale yeast. Speaking of compliments, have I mentioned that you look ravishing? I have? Good. Have I mentioned that the walnuts lend a decadent nutty character? I have? Shoot. Well, those are my talking points. How was your day? Good? Good. You look ravishing. Have I mentioned that I look ravishing as well? Don't laugh." - The Pipeworks Continental
- Study Abroad : Belgian yeast gives this light-bodied ale a distinct spiciness with mild fruit esters.
- Green Flash Imperial India Pale Ale : he mountains of Summit and Nugget hops in this high gravity Imperial will thrill even the most experienced beer explorer. Savory evergreen and pineapple aromas mingle with flavors of bitter, resinous pine and grapefruit pith. A colossal rush of hoppy adventure!
- Honey Faro : This unique wild ale was inspired by Belgium's sweetened lambics, which were traditionally blended with Belgian dark candi sugar and served fresh. Our take on a faro features local honey as the sweetener, for a regional touch of complexity.
- Todo Modo : "Upright’s first brew using the yeast strain made famous by Saison Dupont. It’s a session-style hoppy saison, coming in at 3.8% abv. The beer was fermented very warm in our open tanks, yielding a nice fruity contrast to the peppery character derived from perle, east kent golding, and santiam hops ."
- Saint Edward : Formerly Dark Farmhouse Ale
- 900 English Ale : The "little sibling" of 1800 English IPA is the definition of Standard English Bitter. A beer with nutty, bready fruitiness and a slight hop presence.
- Rubotto Sour Saison : Brewed with over 150 pounds of raspberries per batch, this light, tart saison is bursting with fresh raspberry character. With undertones of white pepper and stonefruit, Rubotto is juicy, balanced, and as drinkable as can be.
- Alpha Pale Ale : Alpha Pale Ale derives its name from the alpha acids in hops which, added early in the boil, impart a distinctive bitterness. Cascade and Amarillo hops are used to make this beer. Hops are added early and late in the boil and then dry hopped in late fermentation. They contribute a wonderfully complex fruit and citrus aroma. Pale malts round off this beer with a fuller malt character.
- Freistaat : Freistaat is a ruby-colored Doppelbock fermented with our house lager strain. Aromatics of bread and caramel malt result from a lengthy boil and resulting melanoidens. Flavors include complex nutty malt sweetness, light plum, noble hop character and slight alcohol warming.
- Ronaldo (2017) : Dark Lord aged in Muscat barrels with tart Michigan cherries
- 7-11 Dübbel : A Belgian dübbel with pronounced dried fruit and clove esters. These flavors are derived from the Belgian Abbey yeast and inverted Belgian candi syrup.
- Munken : The monk is a rich and complex abbey beer with a cascade of aromas and flavors. Well malt in combination with a special kind of raw gives the beer its distinctive characteristics. We have even heard Belgians exclaim, "This is the best tasting beer I ever drank!"
- Myopia : Brewed exclusively with Thomas Fawcett Optic malt, hopped and dry hopped generously with Equinox and Mosaic hops. Resinous pine and berries, dark fruit with hints of citrus.
- Caravaggio : Powerful aromas of chocolate, walnut and tobacco; strong, thick flavors of molasses, charred oak, and smokey bourbon; lingering finish of dark roast coffee; overall quite intense and dramatic.
- Chainsaw Princess Of Karate : Dragon fruit passion fruit sour ale. Collaboration with Big Choice Brewing.
- Moment Of Clarity : Moment of Clarity is an American Milk Stout carefully brewed and conditioned with coffee, chocolate, and dark amber maple syrup. It pours beautifully in the glass with a rich, mousse-like head and dense complexion. It exhibits strong maple and chocolate aromas on the nose and recalls chocolate covered maple cream candies in the flavor. Though dense and flavor filled, it still maintains a certain fluffiness that makes it easy and pleasant to drink a big glass of. It is a wonderful and decadent treat that, for us, evokes a yearning for relaxed Sunday mornings with a pile of chocolate chip pancakes.
- Gnar Galaxy : Our gnarliest NEIPA to date pours a hazy orange hue with a white lacy head. It was heavily hopped with El Dorado, Galaxy, and Amarillo hops. It's bursting with flavors of juicy stone fruit, passion fruit, and citrus.
- Mmm... Fruit (Plum) : Mmm... Fruit Berliner Weisse with Plum (4.2%) is conditioned on mirabelle and damson plums.
- Scratch Beer 69 - 2012 (More Helles, Less Bock) : More Helles, Less Bock is an easy-drinking lager that blurs the lines between Helles, Bock and Maibock styles. At 5.6% ABV, 21 IBU, and light straw color, Scratch #69 portrays itself as a Helles; but inside the glass lurks a more complex beer reminiscent of the Bock style. Aromatic toasted chestnuts and hints of honeysuckle flower present themselves before the first sip. After tasting More Helles, Less Bock you will immediately want more. The floor-malted barley gives an earthy flavor that pairs with the hints of bitterness from Tradition. The finish is sweet and malty, yet still refreshing; a light filtration adds bread notes at the end.
- Nadia Kali Hibiscus Saison : Nadia Kali is an inspired saison with cross-cultural influence. Nadia’s ruby pink glow comes from a generous infusion of hibiscus, while ginger root gives it a subtle spice and hint of woodsy maturity, and lemon peel adds a citrus tartness to keep you on your toes. Full of complexity and intrigue, this unfiltered beauty will show you just how deceiving looks can be..
- Lost Souls : Lost Souls is a dry Irish Stout with a roasted coffee flavor that dominates the hop character in this dark black ale. “Don’t lose your Soul!”
- Friend Of The Devil : This Belgian Dark Strong Ale begins with an aroma of spice that quickly warms the chest with a bit of dark caramel and malt richness before ending with a clean finish of dark fruit flavors of fig and raisin. Saints and sinners watch out.
- Polycephaly I : A fusion of bourbon barrel aged barleywines, a Belgian quad, and an imperial stout to create something astounding. Rich notes of raisin, toffee, dark sweet cherry, vanilla, and chocolate.
- Sleepy Dog Scootcher Scottish Amber Ale : An amber ale that's both smooth and sturdy, with a wee bit of dark roasted malt and noble hops.
- Pineapple Orange IPA : This juicy IPA was double dry-hopped with a blend of citrus forward hops along with real pineapple and orange puree. Oats and wheat join the hops and fruit to create a soft and delicate mouthfeel reminiscent of a refreshing glass of juice.
- Skully Barrel No. 27 : Dry hopped dark sour ale.
- Scratch Beer 108 - 2013 (Triple) : Over the years, we've visited the Triple numerous times throughout Scratch Beer history. Our latest rendition of this strong yet sweet Belgian style boasts a sunny golden hue and dense, soapy head. The flavor of Scratch #108 originates in the Abbey Ale yeast strain (an authentic Trappist style), which produces a distinctive fruity character with a hint of dark fruit evoking plums. The addition of cane sugar bolsters the sweetness, a hallmark of the Triple style. The use of Hersbrucker hops in our hopback vessel fortifies the bitterness and lends a mix of spicy, floral, and fruity notes, giving Scratch #108 a complex aroma and flavor profile. Deceivingly drinkable, don’t let this strong ale sneak up on you!
- Ol' Cameron : A very dark, moderately strong, roasty ale. Tropical varieties can be quite sweet, while export versions can be drier and fairly robust.
- Black Oak Nox Aeterna : This brew uses local hand-roasted coffee beans & flaked oats to give it a rich and full-bodied mouth feel. Adding smoked malt gives this beer a complexity reminiscent of morning camp fires while rich chocolate and espresso notes awaken the senses. We highly recommend enjoying this brew (in moderation, of course!) alongside your morning bowl of oatmeal.
- Shacklands Tripel : A Belgian ale brewed with an abbey yeast to deliver the style's classic spicy aromas and flavours with muted alcohol notes. A surprisingly complex beer for a style that was originally invented as Belgium's response to the rise of pale lager.
- Crimsonberry Ale : Crimsonberry Ale is made by brewing a lightly-hopped, full-bodied, wheat beer and flavoring it with natural cranberry, raspberry and blueberry flavorings for a great fruit sensation. We start with a wheat beer in part because wheat lends a tart, fruity character of its own that meshes well with the fruit flavors. The mix of fruits has been adjusted over the years to provide a great balance of fruit character. (O.G. -15.4P/1062. Hops - 19 IBUs)
- Early Morning Tug : A classic example of the sweet stout style. Dark and roasty grains are complimented by unfermentable lactose to create a rich and creamy taste experience. An exceptional mouthfeel draws out flavors of coffee, chocolate and sweet cream.
- Local Option La Petite Mort : La Petite Mort is a Belgian inspired Weissenbock brewed as a one off collaboration between The Local Option and Central Waters Brewery in Amherst, Wisconsin. When Central Waters decided to open its brew house for its first collaboration beer, Chicago’s Local Option was the obvious partner in crime. The resulting brainchild, La Petite Mort - a Belgian inspired Weissenbock – maintains the traditional characteristics of its Bavarian forbearer, with the added complexity of Belgian ale yeast. La Petite Mort is dark amber in color; maintains a rich, full-bodied mouth-feel augmented by caramel; mild and dark fruit.
- India Pale Ale : A true hop lovers beer. A classic NorthWest American IPA, this big boy packs a punch. The 55 IBU’s are kept in check with Munich and Caramel malt character and the blend of Cascade and Simcoe hops deliver a combination of grapefruit, citrus, pine and passionfruit to rock the taste buds. Dry Hopping with even more Simcoe really drives the aroma home for this IPA.
- Accumulation : This winter, IBUs start accumulating like snow in Colorado with our new Accumulation White IPA. Brewing a white IPA was not only a way to salute the white beauty falling from the sky, but a direct revolt to the longstanding tradition of brewing dark beers for winter. At least that’s what our rebellious brewer Grady Hull likes to claim as he shovels in plenty of new hop varietals and a bit of wheat for a smooth mouthfeel. Stack up a few cases of Accumulation White IPA to keep your long nights glowing blizzard white.
- Winter Wheat : This is a darker, stronger version of our summer hefeweizen. It’s served unfiltered with all the same flavors – plus a malty caramel sweetness and a little extra kick.
- Straight Up Saison : Brewed with barley, oats and wheat, this hazy yellow offering’s silky texture is offset by its high level of carbonation. More spice complexity and malt sweetness refresh the tongue as the wheat and yeast work together to finish dry and slightly sour.
- Jersey Juice India Pale Ale : Packed with newly developed cryogenic hops that are twice as intense in flavor and aroma over regular hops. The result is a huge citrus, mango and tropical fruit hop party in a complex, unfiltered beer.
- Dragon's Milk Reserve Raspberry Lemon : Michigan raspberries bring depth to Dragon's Milk and frame its chocolate tones beautifully while contrasting its dark, roast character. Lemon zest excites the fruit flavor, brightening the entire experience.
- Oktoberfest : A German style amber lager also known as Marzen. Deep orange in color with a medium body. Smooth, clean, and rather rich with a depth of malt character, slightly toasty. Brewed with 2-Row malt, Pilsner malt, Vienna malt, and Dark Munich malt. Hopped with Tettnang and Hallertau hops and German Lager yeast.
- 7 To 5 : 7 to 5 is a sister beer to Nebraska with the 7 to 5 name referencing working man hours (similar to the Nebraska reference, farmhands, and long hours). This Belgian-style pale ale was aged 5 month with multiple strains of Brettanomyces. This aging transforms an already complex, dry beer into a fermentation driven pale ale with huge earthy and tropical fruit aromas. Earthy brett, tropical guava, and pronounced spice lead into firm bitterness and citrus pith in the finish.
- Hopsmack : This striking Citra hop IPA brings complex tropical and citrus aromas and a thirst-quenching flavor to the palate. With great head retention and clarity this well balanced yet aggressive India Pale Ale makes this a great choice for the “hop lover” in all of us! Cheers!
- The Quadfather - Bourbon Barrel Aged : This special batch of our Belgian Quadruple was aged in a menagerie of four different bourbon barrels for 20 months and blended together to perfection. Blending Old Forester, Heaven Hill, Woodford Reserve, and Buffalo Trace barrels together yielded an incredibly complex, layered beer rich in Belgian esters, oak, leather, dark fruits and bourbon.
- Fireside Chat : Like FDR’s Depression-era radio addresses, which were like a kick in the butt and a hug at the same time, our Fireside Chat is a subtle twist on the traditional seasonal brew. We begin with a rich, dark, English-style ale and then we improvise with spices until we know we have a beer worth sharing with the nation.
- Halifax Bomber : Halifax Bomber is a dark Amber, malty bitter with initial fruitiness through which the hoppy character predominates.
- 16th & F Saison : The latest addition to our 16th & F series is a Farmhouse/Saison style ale brewed in a radical fashion. It is a simple recipe that only includes Pilsner Malt and Hallertau Hops. The complexity of the beer comes from the yeast and fermentation process. Fermented at 95+ degrees, the yeast went ballistic in on the sugars. Dryness from the yeast attenuation is accented by a high carbonation level, adding to the refreshing properties. The aroma includes the classic white pepper and wine notes we enjoy so much in classic saisons, such as DuPont.
- Sahati : SAHATI is our interpretation of traditional Finnish sahti. Starting with a 200-year old Engelmann spruce tree felled on brewery property, we created our own kuurna (an ancient Scandinavian lauter tun) to separate the wort from the grain during brewing. The bottom of the kuurna is layered with spruce branches; the needles act as a natural filter and impart resinous oils into the wort. The hollowed-out trunk of the tree also contributes spruce essence and structure from the raw wood. The beer is made of barley & rye malts along with a sparing addition of Goschie Farms Cascade hops and is brewed just a few times per year.
 SAHATI is in many ways the very definition of The Ale Apothecary, where complex flavors arrive from the very methods used for production…the result is the process impacts the flavor profile at least as much as the ingredients themselves.
- I Will Not Be Afraid - Mocha : For this addition of I Will Not Be Afraid, we added additional amounts of coffee and chocolate to bring out an intense mocha mousse character. It is best enjoyed slowly while allowing it to warm - doing so will release different layers of flavor and complexity!
- Peach Punch (You In The Eye) : So nice, we brewed it twice! Great Notion & Block 15 have teamed up once again to brew this special ale, blending techniques and ideas from both breweries. Peach Punch is a luscious, fruit-forward IPA, fermented with peaches & apricots and dry-hopped with massive amounts of Galaxy & Mosaic hops.
- Infidel : Dark doesn’t always have to be scary, and this beer is the perfect example of that. Infidel is a porter that has hints of chocolate and soft roasted notes. A well-balanced bitterness is rounded out by a silky, smooth mouthfeel that is derived from a large addition of wheat malt. This is an extremely drinkable yet complex porter.
- 1768 Dunkelweizen : OMB is proud to be Charlotte Born & Brewed. What better name for this fresh Dunkelweizen than the year our hometown was founded? Incorporated in 1768 with a courthouse, prison and a few settlers’ cabins, “Charlotte Town” has grown from those humble beginnings into the sophisticated city it is today. 1768 mirrors that progression. This unfiltered brew begins with the distinct clove and banana flavors of a traditional hefeweizen before finishing with a subtle complexity derived from select dark malts.
- Porter Aged In Bourbon Barrel : A fresh batch of Port Jeff Porter is divided into three Heaven Hill Distilleries whiskey barrels (virgin, one-fill, and two-fill), matured for three months, and carefully reunited using secret blending techniques—involving some mandatory taste-testing, of course—performed by our brewmaster. The aforementioned barrels introduce bourbon, oak, and vanilla to our traditional porter, catapulting the beer to a new level of complexity. It’s that simple.
- UFO Raspberry Hefeweizen : We have added natural raspberry flavor to our UFO Hefeweizen to create this beer. Consistent with the hefeweizen style, this beer is unfiltered and cloudy with a solid foamy head. UFO Raspberry has a distinctive, hazy rose color. The scent of fresh raspberries hits the nose immediately, along with a subtle bready aroma from the wheat and yeast. The body is light and the unfiltered yeast provides a soft mouthfeel. The taste of the fruit compliments the beer nicely, neither overwhelms the other. There is a faint sweetness on the palate, which finishes cleanly in a semi-dry, tart finish.
- Naughty Redhead Imperial Red Ale : Righteous hops and cherry aromas tell you this is not your ordinary red ale. A sexy complexion with buttery malts make this exotic brew something to be desired. Nuts and caramel build to form the perfect union of awesomeness in your mouth.
- Australian Mountain Pepper Berry : A crisp, clean, simple lager flavoured with sundried Australian blueberries. The blueberry imparts a slight blueberry /cherry nose but no "fruity blueberry" taste. The fact that the berries have been sundried means that they impart a wonderful tinge of black pepper on the back of your tongue. Since pepper enhances flavours it brings out this beer like no other beer you have ever tasted.... We brought the flavour to North America to share with you.
- Babydoll : Babydoll is our saison, made exclusively using Mosaic hops. There's a lot to love in this one - bright tropical notes from the hops, complex spices, all blending perfectly into one irresistible package.
- RoboHop : Part malt. Part water. All hop. This futuristic red IPA single hopped with state of the art German TNT hops traverses all hops with notes of grapefruit, melon, pine, and mango.
- The Black Dahlia : This deep dark beer takes some time to unravel and fully appreciate. Brewed with Styrian Golding hops and a blend of German and Belgian malts, The Black Dahlia honors the beauty and mystery of Los Angeles in the '30s and '40s.
- 38° Hefe : A true hefeweizen, heavy on the wheat and unfiltered yeast! The Lena Hefeweizen is a golden wheat color, with notes of fruit and clove, very drinkable and refreshing. True to the style, this beer is unfiltered and naturally cloudy in appearance.
- Fluxus 2009 : Fluxus '09 was brewed in the style of the traditional Saison. For our twist, we added sweet potatoes, black pepper and a generous amount of hops. Sweet potatoes not only enhance its pale orange appearance, they contribute significant body. Centennial hops produce a bold grapefruit aroma, which is followed by a mild, honeysuckle sweetness. The intensity of both the pepper and hops are felt throughout, leaving a lingering warmth on the tongue. Papya, citrus and pepper dominate the flavor profile.
- 07740 - Simcoe : 077XX is our double IPA focused on harmonizing the extremes inherent in the nature of an American double IPA for long-term drinkability. 07740 is the Dubviant staked by a third Simcoe exclusive dry-hop inspired by the places that get it in Long Branch. Simcoe parlays Dub’s mix of dank resins and tropical fruit aromas with those reminiscent of berries and mulch. Drink 07740 'cause nothing ventured nothing gained.
- Trouble : Dark & Vinous Sour Brown Ale; Combines Dark Bready Malt Richness with a Lively, Pinpoint Acidity & Alluring Aromatics of Fig, Concord Grape & Sour Cherries. Brewed in Collaboration with De Struise Brouwers (West Flanders, Belgium) at Bluejacket in Washington, DC.
- Hold On To Sunshine : Hold On To Sunshine is a rich and delicious stout intended to be savored and enjoyed as we enter the cool Autumn months here in New England. Brewed with Pale and Chocolate malts, Lactose, Coffee, Cacao, and Peanut Butter, it exhibits notes of rich milk chocolate, dark brown sugar, creamy espresso, and chocolate covered peanut butter cups. A luxurious mouthfeel and creamy body contribute to a beer that feels much bigger than it is - a decadent treat and one that won't overwhelm you with heaviness, yet is loaded with delicious bold flavors that express themselves as it warms. Life can come at us fast and hit us with unexpected hardship, inducing stress, fear, anger, confusion, sadness, and uncertainty. But together we must find solace and comfort in each other, and in something wonderful, equal, and free for everyone to hold on to - Sunshine. For Lauren.
- High Street Wee Heavy : Named after our brewer's grandfather who lived on High Street, Inververie, Scotland. A deep dark rich and malty flavour is soft and complex in the true Scottish Ale style. A real treat that leaves you wishing for just one more sip. As we say here "Don't be afraid of the dark!"
- Growl : Quadrupel ale brewed with Nugget hops as well as dark candi syrup.
- You Bretta Run : Most brewers would run away from the idea of brewing a 100% brettanomyces beer, but our brewers ran to the challenge and met it head on. Commonly considered one of the hardest yeast strain to manage, brettanomyces implores copious amounts of natural tropical fruit esters that we paired with mangos for a crisp and clean showcase of our brew team’s talent. This sour spent nine months in stainless and never touched oak, leaving it a wildly tame and drinkable sour.
- Jolly Roger Imperial Stout : Jolly Roger himself blessed this big stout. This is a massive stout with a huge roasted maltiness with complex smoky, chocolate flavors coming through strong thanks to the gentle hand-pump and correct cellar temperature.
- Sweet Jane : An anthem of an IPA; dank evergreen forest, juicy fruit, and citrus shout out the verses, while the malt lays down a solid groove. The chorus of flavors rolls back through in the reprise, finishing clean and dry.
- Ziggy Barleywine : American barleywine boasting a dense, fruity bouquet, an intense flavor palate and a deep reddish-brown color.
- Nut Brown Ale : Sweet, nutty, malty, vanilla, and chocolate flavors abound in our smooth as silk Nut Brown ale. Nitrogenated.
- Grisette About It! : Brewed with heirloom oats and raw organic einkorn – one of the earliest known varieties of cultivated wheat – Grisette About It! gets its subtle nuttiness and soft spiciness from a blend of noble Czech Saaz and fruity German Hallertau Blanc hops. Fermented with two strains of Belgian yeast and aged in French Oak Chardonnay barrels for two months, this 3.5% ABV brew is pale and hazy with notes of toasted oak and soft vanilla.
- Gettin’ Ginger Wit It : Ginger & Grapefruit Wit
- Supercruise (Cab Sauv) : Supercruise starts with wine grapes from locally-sourced, family-owned vineyards in Palisade, CO. Once the grapes have been destemmed and crushed, we allow the juice to rest for a few days - developing rich color and depth of flavor - before finally transferring the juice to neutral oak barrels along with our base golden sour. The beer then goes through a secondary fermentation while resting on the grapes, and after a few weeks is ready to bottle. Fruited at about half of what we do for Mach-Limit, the stonefruit character from the base beer is backed by bright fruit and soft tannins, yet the beer still shines through. This beer should age well with proper cellaring, however the grape character may diminish over time.
- Old Chestnut (Dark Star Old Ale) : Formerly Dark Star Old Ale
- Ten : (Formerly known as Quad) Inspired by the Dark Strong beers of Belgium Malt-forward aromas with dark fruit notes, but a dry and balanced finish. Notes of toffee, chocolate, raisins and plums. Pairs poorly with scissors.
- Remastered Grateful Pale Ale : A fresh spin on our Grateful Pale Ale. This Remastered recipe gives Grateful a fruitier hop aroma, more citrus hop flavor and a smoother, fuller body.
- Excolatur : What does the fox drink? If he's smart, it's Excolatur. The result of over two years of aging in Bourbon and rum barrels, this dark sour benefits from an additional four months over Montmorency cherries. The combination of lactobacillus and pediococcus give Excolatur a clean sourness with just enough funk to remind you it is, like the fox, wild and untamed. With an acidity similar to wine and a 9.7% ABV, Excolatur pairs well with a great steak, chocolate-covered cherries, or an outdoor fire pit with friends
- Barrel Roll: First Crush : Winemakers often refer to their harvest as "The Crush," a reference to their process of literally crushing the juice from freshly harvested grapes. We've borrowed this term for "First Crush," the very first beer we've ever blended from our stock of Syrah wine barrels filled with sour red ale. A mix of 18 month old barrels build complex base flavors of funk and oak, and the addition of Syrah grape juice after primary fermentation adds vinous, tannic notes of red wine, ripe fruit and leather. First Crush is ready to enjoy now, but will continue to evolve in your cellar for many years.
- Half Moon Stout : In 1609 Henry Hudson entered Penobscot Bay in the vessel the "Half Moon". Four hundred years later the Half Moon is back in Penobscot Bay! Based on an old porter recipe described as brave, proud, or "Stout". A one hour mash of pale, crystal, chocolate and wheat malts, and a large portion of roasted barley yield this dark, full-bodied stout with a heavy aroma of fresh roasted coffee. The mild Fuggles hops balances the bitterness.
- Black “Eye” PA : Hard hitting, with a big citrus punch, this black IPA was created to honor our local roller derby teams. Midnight Wheat Malt is the star of this ale, imparting its dark colors with a combination of light roast flavor. Falconer’s Flight hops give this ale a big citrus flavor with mid to late, and dry hop additions. American yeast leaves this beer with a clean, crisp finish.
- Free The Hops : Showcasing some of the biggest and best US and NZ hops, this is an IPA you can enjoy all day. With strong aromas of mango, grapefruit and lychee, and a slight sweetness from the toffee malt to balance it's firm bitterness. Made specially for the "Free The Hops" craft beer festival.
- Rosée D'Hibiscus : Rosée D’Hibiscus is a delicate wheat beer with a floral and lightly acidic character. Its beautiful pink colour comes from the hibiscus flowers used in the brewing process. A perfumed aroma invokes fresh pink grapefruit and the pleasing texture persists nicely. A refreshing, quenching ale perfect for hot summer days & nights.
- My Wee Scottish Light Ale : "Lightly reddish-tan in color and sporting a tightly latticed head of snow-white foam, Baird My Wee Scottish Light Ale is a perfect warm weather libation. It manages to be both satisfyingly quenching and pleasurably satiating. The aroma is a sweetly malty one with bready and biscuity notes that are leavened by a soft and spritely fruitiness. In the mouth, flavors reminscent of toffee, nuts and corn bread that is smattered with honey predominate. The finish is vanishingly sweet. At a mere 3.0% ABV, My Wee Scottish Light Ale is the ultimate session beer."
- Stalagmite : Stalagmite is one of two beers brewed in collaboration with the Alstom Brothers of BeerAdvocate for the 2014 Extreme Beer Festival. Both beers were brewed with the same base Schwarzbier recipe, Mesquite Powder, and Calcium Carbonate treated water to infuse minerally-goodness into each beer. Calcium Carbonate is the primary mineral in the composition of Stalactites and Stalagmites, formed over thousands of years as water filters through the earth and drips into caves below the ground. Calcium Carbonate also can be used in brewing to harden water, which ultimately brings out hop character and helps make a clean crisp brew. Stalagmite was brewed with Dutch caramel syrup to bump fermentable sugars in order to boost ABV. While adding subtle caramel notes, this syrup also lightens up the body of the beer (as all of the sugars are fermentable) and lets the Mesquite Powder come forward in the flavor. Mesquite Powder is made from ground up pods of the Mesquite Tree, and adds a nutty hazelnut like sweetness to this unique black lager.
- Abbaye Du Chen : This small batch rendition of a darkening Belgian-style abbey ale was brewed with coriander and partially aged in bourbon barrels.
- Samurai Ale : Samurai is the perfect beer for your zen garden after battle, or your patio after a long day of work. The addition of rice gives a slightly fruity, crisp, refreshing element to this hazy unfiltered ale, creating a light, easy-going beer suitable for the peaceful warrior. This may be your first Samurai, but it certainly won’t be your last.
- Belgian White IPA : A spice, spritzy Belgian Wit hopped with Simcoe, Citra & Mosaic. On the nose, aromas of orange and coriander invite you but delivers a hoppy punch of grapefruit and citrus. Aftertaste is slightly bitter and dry.
- What the Fruit? : This IPA contains no fruit or Juice! For this round we went with the combined ale strains from the defunct Whitbred Brewery in England. Together, they dry the beer out while retaining a soft round mouthfeel providing a light tart citrus character of their own. El Dorado and Topaz hops' tropical, petrol and candy characters bring up the beers brightness. It’s all held together with Copeland pils malt, flaked wheat and barley and a pinch of Caramunich2. Although there is no fruit used in this hoppy beer as usual, it will have you saying What the Fruit?
- Lost & Found Abbey Ale : Modeled after the great Trappist and Monastic beers that inspired the founding of our brewery. A richly deep garnet colored ale created from a blend of Domestic and imported malts. As part of our commitment to interesting brewing endeavors, Chef Vince created a special raisin puree for this beer. Malts, raisins and a fantastic yeast strain working in harmony produce a beer of amazing complexity and depth.
- Centennial IPA : Centennial IPA is 100% Centennial and is full of sweet fruit and citrus character.
- Aunt Sally : A Unique Dry-Hopped Sweet Tart Sour Mash Ale. We soured the wort on the Hot Side with Lactobacillus for a few days and then brewed up this smooth and hoppy sour. It tastes like a big bowl of fruity candy or some chewable flavored vitamins, but what's the difference? It's sweet, tart, and sassy, just like the tasty cherry pie that your favorite aunt makes. For all the Aunt Sally's out there, You know who you are...
- Knuckle Dragger : A Belgian style stout. Full bodied and rich, this stout is inspired by the dark confections of Belgium. Over the years, this has also been fermented with our house ale yeast. The 2009 version will be a Belgian-style Milk Stout.
- Space Fruit Pale Ale : Designed to introduce both hop-heads and those who don’t know they’re hop fans yet to a mildly bitter, yet still hop forward beer using Galaxy (Space) and Citra (Fruit) hops.
- HOPness Monster : Brewed with an abundance of fresh Citra and Cascade, this IPA boasts a big biting hop profile layered with ripe tropical fruit, juicy citrus, and pine.
- Special Reserve : A wood-aged barley wine specialty beer that has gone through 3 fermentations and matured on various types of oak for years adding a uniqueness and complexity to the beer. Toffee and caramel on the nose, fruity notes, treacle and spice, toffee bitterness, big roasty, smoky finish with peppery hops. Elegant!
- Minnehahop : Minnehahop IPA appeals to hop heads and light IPA drinkers alike. Fresh and citrusy, aromas of pineapple, lemon, lime, passion fruit and mango, with just a touch of caramel sweetness to finish. At only 5.5% ABV, this new breed of IPA differs from its forebears in more meaningful ways.
- Bretta Livin’ - Raspberry : A tart, tangy, true lacto soured, brettanomyces fermented ale, with raspberry added as a puree late in fermentation, meaning great fruity taste and aroma without residual sugar sweetness. No hops! And keeping it simple, there’s only one malt in the grain bill, Vienna, providing a distinctive toasty, biscuit malt aroma and flavor.
- Tweeds Tavern Stout : Named after the historic Tweeds Tavern, one of the earliest breweries in Delaware, Tweeds Tavern Stout is an American stout fashioned in the Pacific Northwest style. It features a complex blend of the freshest American ingredients including black roasted barley, black malt, rolled oats, red wheat with Cascade and Galena hops. Our stout is mellow and mild with pleasant, roasted coffee and chocolate elegance and smoothly balanced body. It produces a thick, rich, foamy, mocha head that clings to the glass. People who say they don’t like dark beers are surprised once they taste our stout and experience for themselves how delicious and drinkable it is.
- Passion Dome : Dry-hopped sour ale brewed with passionfruit and conditioned in oak.
- American Harvest Pale Ale : Brewed with pale malts and Australian Galaxy hops, this American Pale Ale has aromas of crackery malt and tropical fruit. Moderate bitterness.
- Candeot : Dark colour, autumn fragrances of malt and hops, full-bodied.
- Edge of the Universe : Edge of the Universe is an 8% DDH Imperial IPA hopped endlessly and entirely with Galaxy. This beer uses the very recently delivered 2018 crop of the freshest Galaxy. Notes of drippy passion fruit and apricot.
- Barrel Harbor Black I.P.A. : Our Black IPA is made using three specialty malts: Victory malt, Crystal 60 and Midnight Wheat. The Midnight Wheat leaves the beer as black as night but with only subtle nuances of roasted flavor without the astringency of other dark malts leaving it with a smooth body and creamy light brown head. It’s like liquid chocolate! Single hopped with Simcoe, this IPA has a very desirable aroma and just might be your new favorite in the Harbor.
- Hop Head Black India Pale Ale : Hop Head Black IPA is dark brown / black in colour, delivering an aroma of roasted malt tones. With five different varieties of superior hops and six malts, Hop Head Black IPA brings out a malt forward taste with a lingering hop bitterness.
- True Blue Lager : "True Blue Lager is a rich, golden, full-bodied, traditional bohemian pilsner with a distinctive hop bitterness and aroma. We use two Weyermann malts, produced in southern Germany near the birthplace of pilsner beer to give the brew its complex malt flavor and golden color. We use Czech Saaz and German Northern Brewer hops in the kettle to give the brew a distinctively clean bitterness to offset the full-bodied sweetness of the malts. We add a touch of honey to the kettle just to spike the interest of the yeast. We maintain the brew at a temperature of -1°C in the fermentation tank for a month to let the lager yeast produce a clean, bright fragrance and flavor distinctive of the style. The carbonation is 100% natural to produce a smooth creaminess that is refreshing no matter how many glasses you have. True Blue Lager should be consumed at 10°C to enjoy the optimum balance of flavor and hop bitterness. True Blue Lager starts at a specific gravity of 1.050 and finishes below 1.010 with an alcohol content by volume (ABV) of about 5%."
- Wild Sour Series: Synchopathic : Synchopathic is the combination of a refreshingly tart and acidic sour ale with robust-citrusy, fruity & floral dry-hops one would otherwise find in a pale ale, with aromas and flavors reminiscent of grapefruit, orange, lemon, tangerine, pineapple and hints of pine, giving way to a biscuity-crackery malt backbone, low bitterness and dry finish to bring it all in synch. Cheers.
- Derketo : Derketo is a mer-goddess of ancient lore and we thought she would be the perfect representative for our imperialized and hopped up Belgian Style Double IPA. We brewed this light colored ale with boatloads of Amarillo and Galaxy hops and Belgian yeast. The result is perhaps one of the most pleasingly aromatic beer we have ever created. Juicy passion fruit, tangerine and a world of other citrus and tropical entwine themselves beautifully with Belgian yeast notes. Drink as fresh as you can.
- Double Rainbow IPA : Named for the spectacular and complete double rainbow that appeared in the northwest sky just outside the brewhouse during the inaugural mash in. With a foot in both the new and old worlds, this IPA is generously dry-hopped with English Fuggles, resulting in a strong, deep golden, very fresh, and fruity English flavor and aroma.
- Bourbon-Barrel Aged Descendant Suffolk Dark Ale : For this special release, Gordon's Fine Wine and Liquors shared a single premium bourbon barrel with Mystic Brewery in which to age our Suffolk Dark Ale, Descendant. Descendant is a unique strong version of an Irish dry stout that is made with molasses and then fermented in a rustic tavern ale style. The bourbon characteristic from the barrel aging perfectly complements the beer's dark malts and molasses. We hope you enjoy this preview of good things to come.
- Bad Wolf Dark Ale : Dark caramel malts balanced by classic Northwest hops in this rich dark ale. This beer will be your best friend, take you out to dinner, and leave you wanting more.
- No Middle Ground Coffee IPA (2017) : At first glance, it might seem strange to combine coffee and hoppy beer, but really, the two flavors have a lot in common. Good coffee and hops both have complex and fruity aromas which create layers of flavor. No Middle Ground is brewed with fruit-forward hop varietals and cold-brewed coffee for a unique take on the IPA.
- Dubious Affair : Dubious Affair is a dark sour aged in oak barrels with traces of black currants, Italian plums, and apricots. With hints of those fruits and a subtle, yet complex, acetic acid profile.
- Heizer : Our dark beer is called „Heizer“ (stoker). It is a bottom-fermented beer and has a full malt aroma. Our dark beer has a velvety texture and is rather light an sweet, which makes it an ideal beer for guests who dislike a strong, bitter beer.
- X Ale, 22nd February 1945 : So, these are our new historical beer releases: two beers from the same brewery, brewed under the same brand name, 107 years apart. X Ale, 22nd November 1838, and X Ale, 22nd February 1945. These beers were from Barclay Perkins brewery in London (now long closed). They were brewed & sold as the same beer over these 107 years, but the recipe and process changed dramatically. The beer changed from a golden, 7.4%, extremely hopped ale in 1838 into a 2.8% dark grainy beer in 1945. Probably a lot of factors came into play: wars, hop shortages, grain pricing, rationing, taxation, patriotism, the motorcar, the industrial revolution… I’m guessing these all played a role in the weakening and darkening of this beer. Interestingly, since 1945, Mild ale in Britain hasn’t changed so much: it’s still dark, and one of the weakest beers produced.
- Frères - Bluebird : A single hopped Belgian rye pale ale brewed using a blend of yeasts, one traditional Abbey and the other a fruit forward Brett.
- Neighborhood IPA : Our newest IPA, brewed with an enormous amount of mosaic hops, this IPA is fruity, citrusy, and piney. We named it Neighborhood to honor the amazing mosaic of people that call Mt. View home.
- Fleece Flower Saison (Boston) : A dry, complex, somewhat tart farmhouse ale brewed with locally forged Japanese knotweed.
- Barrio Red Cat Amber : The first beer ever brewed here is made with 2 row pale malt, both 40 lovebond and 80 lovebond crystal malts for a rounded smoothness and a touch of chocolate malt for added complexity. Moderately hopped with Pacific Northwest Cascades.
- Sagittarius B2N (Dogfish Head Collaboration) : Sagitarius B2N is a Saison brewed with Hibiscus, Grapefruit, and Lemon Juice and dry hopped with Amarillo hops.
- 6 Geese-A-Laying : 6 Geese-A-Laying is the 6th beer in our "12 Days of Christmas" series and is a return to the more classic dark and toasty winter ale, following the appropriately blonde 5 Golden Rings. Brewed with cape gooseberries, this malty ale displays notes of plums, dark cherry and bright, citrus-like flavors from the namesake berries. Delicious right now, but suitable for aging up to 6 years, upon the release of 12 Drummers Drumming.
- Light Roast : Don't let the color fool you! This light colored ale contains enough organic Kaldi's coffee to provide a roasty flavor profile and a touch of caffeine. The addition of a fruity hop profile creates a refreshing light roast experience.
- Duende : Duende is a hazy marigold in appearance with fluffy white foam. This beer is elegant for a Double IPA which leads to surprisingly easy drinkability. First impressions are a bright almost citrusy pine note that quickly switches gears to huge fruit notes: orange, grapefruit, apricot, and tangerine. There’s a consistent fruit flesh flavor to the beer that adds a wonderful complexity to the bright citrus notes as the overtones dance around the fleshy notes, supporting without ever getting in the way. As the flavor finishes there’s subtle earth and berry notes that come through and the beer finishes with a perfectly balanced bitterness that rounds out the alcohol sweetness and immediately invites you to take another sip.
- Tad Pole’s Glory : Brewed and named in honor of Carmel, Indiana’s roots, this big, malty barleywine is filled with caramel and dark fruit flavors.
- Scratch Beer 146 - 2014 (Rye Ale) : Scratch #146 is a full-flavored Amber Rye Ale chock-full of American hops added during two different phases of the brewing process. First, we add plenty of El Dorado and Nugget hops during various stages of the boil to release bold flavors of tropical fruit, fresh-cut flowers, and resin. Later, we dry-hop during fermentation with the one-two punch of Centennial and Chinook to push the citrus and pine attributes over the edge, giving Scratch #146 a well-rounded aroma profile. The addition of rye to the malt bill lends a hint of spicy dryness to the finish, adding more depth to the overall flavor.
- Postcard : A double dry-hopped IPA brewed with 44 lbs. of Mandarina Bavaria hops and 33 lbs. of Mosaic hops per 30 BBL batch. Delivering a blast of citrus fruit aromas to a balanced and crisp IPA base.
- Spring Shandy : A shandy inspired Berliner Weisse made with grapefruit and ginger.
- Troubadour Westkust : Black Imperial IPA, brewed with 100% Belgian ‘Westkust’ hops. Dark and bitter ale with hoppy flavours. Refermented in the bottle.
- Espiritu Oscuro : Dark Belgian-Style Ale brewed with spices and aged in Four Roses Bourbon Casks. Brewed for Healthy Spirits 15th Anniversary.
- Sweet Nikki Brown : This beer has been brewed especially for my wife, Nicole. Just like her, it’s a little sweet, and a little bitter. This hoppy ale is nut brown, just like her hair and eyes. The addition of crystal malt gives the beer a sweet flavour while melanoidin and chocolate malts lend a complex nutty character (draw your own conclusions) to the finish. We’ve used Centennial hops to add a citrus finish to the beer.
- Bohemian Pilsner : Our Bohemian Pilsner is a refreshing way to kick off Fall. Golden in color, this beer has a delicious bouquet of floral and spicy hop aroma balanced perfectly by the malt character. The hop bitterness leaves a smooth mouthfeel, leaving a refreshing, complex and well-rounded finish. 
- Bourbon Barrel Old Scrooge : Of any character none would benefit more from the smooth mellowing kiss of bourbon than Old Scrooge. A long slumber in single use Kentucky Bourbon barrels marries fruity esters and rich malt body with cherry, wood and vanilla.
- Hawaii Five-Ale : This blonde ale base beer is transformed into a tropical beer with over 100 pounds of five fruits, including peach, pineapple, mango, strawberry, and blueberry, giving you the feeling of being on a Hawaiian beach. Some Brettanomyces and tart characters balanced by sweetness from fruits.
- Belgian Blond : This Belgian Blond Ale derives its unique fruity and spicy character from its yeast, most notably citrus, pear, and slight peppery notes. It is sweet upfront and finishes dry with a noticeable alcohol warmth. Despite its high alcohol content, it is still surprisingly refreshing and easy-drinking. This beer is unfiltered and bottle conditioned, having undergone a secondary fermentation in the bottle, providing natural carbonation and allowing the beer to develop in complexity after packaging. 
- Nameless City : Strong dark ale with notes of cocoa & apricot, velvety mouthfeel.
- Saison De Banc Noir : By combining the rustic, peppery flavors of our farmhouse yeast strain with the complex dark fruit notes of roasted wheat and dark Belgian candi syrups, we’ve created an intricately delicate “Black Saison” that contains ornate notes of raisins, dark grape, and peppercorns.
- Grand Rouge Reserve : We aged a wild red ale in oak tank for an extended period, then refermented with late harvest Oregon Zinfandel grapes. After whole cluster fermentation and aging, we transferred the beer to virgin French oak tanks for continued maturation. This beer has a beautiful toasted oak and rich fruit character, with a balanced Brett influence and delicate acidity. Low carbonation enhances the vinous nature of this beer.
- Dark Dungeon : Our rich, bold, dark-roasted Bourbon Coffee Stout with a smooth, creamy white froth. Wonderful flavors of bourbon, coffee, vanilla, molasses and oak aging that intensify as the beer warms in your hand.
- Fire Ant Funeral : A traditional amber ale complexly built from a careful selection of 7 different malts. American grown hops harmoniously rount out the wonderfully rich malts. Balanced without the bite.
- Double IPA : Brewed with a strong, aromatic and complex hop mixture, this well-rounded IPA boasts grapefruit and pine flavors with a hint of pepper.
- Salm Bräu Böhmisch G'mischt : The Salm Bräu Böhmisch G´mischt (means bohemian mix) has it's origin in the Czech Republic, like the Pilsner. The bohemian dark beer was the compensation to the more hoppy aromatic Pilsner beer. It was completely dark, no light went through. In the old times the beerpubs mixed this extremely dark beer with a pale beer type. We are brewing this beer type and don´t have to mix it at the bar. The dominating malt aroma remains, but the run off is significantly slimmer than the dark beer. Because of the special heating technology of our brewhouse, the intense caramel content of be malt does not overheat and therefore does not give the beer the caramel bitterness like at conventional brewhouses. In the cold season this beer is especially very popular.
- Venus In Furs : This classic Belgian saison was brewed with chamomile & basil to help augment the spiciness that the yeast brings to the party. This complex beer finishes bone dry.
- Apocalypse Cow : This complex double India pale ale has an intense citrus and floral hop aroma balanced by a velvety malt body which has been augmented with lactose milk sugar. With this different take on an IPA we have brewed an ale that is both pleasing to drink and, once again, “not normal.” Cheers! June release.
- Radical Fashion- Sour IPA : Radical Fashion was fermented with a mix of ale yeast, our native wild yeast, and bacteria and then dry-hopped with plenty of Centennial, Citra, and Simcoe. The resulting beer is complex and refreshing with tropical and citrus notes.
- Friend of the Devil – Rum Barrel-Aged : Aged in a rum barrel from Bethlehem’s Social Still, this Belgian-Style Dark Ale begins with an aroma of spice that quickly warms the chest with a bit of dark caramel and malt richness before ending with a clean finish of dark fruit flavors of fig and raisin. Saints and sinners watch out!
- A Mirror For The Face : A Mirror for the Face is a drippy orange Double IPA. Brewed with oats and Sweet Orange peels. Hopped and dry hopped intensely with Galaxy, Citra, and Hallertau Blanc. Luscious notes of passionfruit, lime sorbetto, and fuzzy greenery.
- Island 1842 Imperial IPA : The Island 1842 is an Imperial IPA designed for those who prefer a bold and powerful drink. Our goal with this beer was to coax out and showcase every nuance that our outsized malt and hop bill had to offer. This beer’s hop character is potent with additions in the first wort, constantly through the boil, at flameout and then generously during fermentation. In order to balance the strong hop profile, we built an appropriately robust malt backbone. The moment you pour Island 1842 into your snifter, expect a powerful nose of spicy, floral and zesty hops. The complexity of flavor will then continue to unfold with each sip and the flavor will linger on the palate.
- Show of Hands : American IPA with Valley Malt wheat. Dry-hopped with Vic Secret - lush tropical fruit and melon.
- One Shot IPA : Enjoy the rhythm of this single-hop IPA. Calypso hops, lightly toasted Vienna malt and white wheat malt blend together in harmony. New Calypso hops add tasty citrus flavors with hints of passionfruit, pear and apple. Malts: Vienna, White Wheat Malt.
- Galactic Nova Double IPA : Brewed primarily with Galaxy Hops, the Galactic Nova clocks in at 77 IBU’s, yet the bitterness is nicely balanced with tons of hop flavor and aroma including peaches, citrus, and tropical fruit.
- Bruery / Maine Fourthmeal : The Bruery and Maine Beer Company collaboration. It’s a hoppy Belgian-style ale that brings aspects of both breweries to the table: fruity, Belgian yeast esters, a crisp, bready backbone, citrus and piney hop characteristics, and a dry, hop-forward finish.
- Irish Blessing : Irish Blessing is a dark Stout brewed with an abundance of black and chocolate malts for a bittersweet chocolate finish. We collaborated with our friends and local roasters at OZO Coffee in Boulder to determine the perfect roast to complement our stout, choosing their OZO Blend to use in the brew adding earthy, roasted coffee flavors to the beer. We then age Irish Blessing on Jameson Irish Whiskey soaked in oak, imparting the finishing touches of whiskey and wood. Slainte!
- Smoked Porter : Our newest specialty beer is a smoked porter. The recipe was designed to make a porter with a slightly higher than normal starting gravity. Beechwood smoked malt is the base malt in this recipe. We have had porters here at the CBW in the past, and this beer will be somewhat similar. The porter style originated in London and was very popular in the 18th and early 19th centuries. With the introduction of pale and mild ales, the popularity of porters decreased. Porter production in England ended in the 1930’s and 1940’s. Smoked malt is made by smoking the barley over a wood fueled fire. Smoky flavors in beer were more common several hundred years ago, when nearly all grain was dried over a wood fueled fire. Alternate methods of drying the malt eliminated the need for wood to be used as a fuel source. Smoked malts are now intentionally smoky, not simply due to the drying procedure. Beechwood was the fuel source for the smoked malt in this recipe. This beer should have a dark reddish brown color. The aroma should be balanced between malty and smoky. The flavor should be chocolaty, toasty, roasty, and smoky. There should be a definite hop bitterness, but the hop aroma should be overshadowed by malt and smoke. The beer should finish with some bitterness and a bit of smoke.
- BarrelHouse Stout : Since the first batch our people can’t get enough of this creamy and slightly hoppy BarrelHouse Stout. It’s crafted with oats for creaminess, lactose for sweetness, belgian dark syrups for intense dark fruit notes, dark malts for chocolate and roast, and just enough hops for a balanced bitter/sweet finish.
- Wild Saison : This harvest-driven release captures the fleeting ripeness of local loganberries, married with the delicate fruity aromatic esters and spice of a mixed Brettanomyces fermentation to produce a delicate, yet complex, and delicious farmhouse ale. Primary Brettanomyces fermentation, merged with the benefits of refermentation in the bottle, results in a deliciously light, crisp, and complex beer that encapsulates our Elemental Series’ commitment to experimentation and innovation.
- Oscar's Pardon : This straw colored pale ale was brewed with pilsen malt, Belgian yeast and Amarillo hops then dry-hopped with a touch more for a complex easy drinking experience. Names after Oscar Neebe. Anarchist? Maybe. Yeast Salesman? Definitely.
- Hope In The Darkness : Dark, sour beer aged in oak with cacao nibs.
- Dark Sour : Part of our Kettle Sour Series, this dark sour ale was brewed with pale malt, rye malt, light and dark wheat, and then fermented with Saison yeast. Finally, the beer was aged with sour cherries from Oregon.
- Bad Tom Smith : Bad Tom is a medium bodied ale with rich reddish-brown color, a small tan head and a fruity aroma. With an essence of toasted malt combined with candied nuts and a light caramel flavor, the smooth texture is finely balanced with a blend of hops and an unforgettable clean finish. The result is an all-around balanced beer with the most important ingredient of all— GREAT TASTE!
- Trade Winds IPA : Brewers Notes: A heavenly aromatic, copper coloured beer. It has an aroma rich in cascade hops spilling over into clean crisp hints of citrus. Quickly followed by a rush of fruity malts that are pursued by an exquisitly dry finish, full of scented hops. A Pale Ale like it ought to be!
- Trump And Pump : Dark Lord Aged in Sauternes Barrels
- Mattina Rossa : Mattina Rossa is a beer that was a long time in the making. It was brewed in August of 2008 with a base of 2-Row malt and 440 lbs of local raspberries in the mash. It was then conservatively hopped with Tettanang, German Tradition and Saaz and fermented with our house yeast strain. Shortly after primary fermentation, the beer was racked into eleven red wine barrels, nine of which were inoculated with either Lactobacillus or Brettanomyces "Allagensis". After one year, we placed an additional 100 lbs of local raspberries in five of the barrels. The beer continued to age for an additional year, at which time the barrels were blended to strike the desired balance of fruit and funk.
- Reach The Bourgeois : Brewed with citrus hops as well as an array of citrus peel. Bubblegum up front leads to a tart lime, lemon, orange, grapefruit finish.
- DAM Lager : Dark Amarillo Lager
- Belgian Black : Belgian Black was fermented with a Belgian Ardennes yeast strain. Enjoy the rich malty features of plum and dark cherries backed with subtle spicy notes. Lighthouse Brewing Co. is a premium craft brewery dedicated to producing unique, high quality, unpasteurized beers.
- Short's Controversi-ALE : Loaded with hops like an IPA, yet drinks like a Pale Ale, we simply decided to call it a Strong Pale Ale. The fragrant, earthy citrus laced nose is instantly detectable. Large amounts of toasted grains and high alpha Simcoe hops form a perfect union that creates the cool sensation of toasted sourdough covered with zesty grapefruit hop marmalade.
- Bourbon Barrel Sinister Stout : This rich Stout combines real Belgian chocolate, locally roasted espresso beans and bourbon barrel aging to create an amazingly complex brew. Obvious notes of bourbon spiciness are balanced with more subtle notes of oak, vanilla and dark roast as the beer finishes with a pronounced coffee character.
- Pistonhead Plastic Fantastic : Malts: Pilsner malt, dark caramalt and pale caramalt.
- Technicolor Tripel : This Belgian beer is a complex marriage of distinctive spice, fruit, and alcohol. Brewed with bitter and sweet orange peel as well as coriander, this super charged Abbey ale has a spicy drying character and long lasting brilliant white head. Medium bodied and intense. Careful with this one, it is best enjoyed in moderation! 
- My Turn Series: Latif : This beer was brewed by Latif. Latif is our shipping coordinator, so you can thank him for getting this very beer into your hands. And, you can thank him for the delicious, sweet chocolate flavor. Dark in color, well-bodied but smooth, this beer has a nice blend of roasted malts and chocolate. This Double Chocolate Stout is not only sweet and brewed to cellar, it’s also organic. But what else would you expect from such a wholesome guy?
- Amber Ale : Boulevard Amber Ale is an exceptionally well-balanced beer, complex yet thirst-quenching. American pale malt provides a firm foundation. English specialty malts impart a nutty sweetness, perfectly complemented by noble German hops. The deep coppery color holds the light, reflecting a ruddy glow, and the finish is clean, round, and delicious.
- #Hopkisses : The India Pale Ale style began in urban England, but now has many interpretations. #hopkisses is a complex English-style IPA with a few American notes: fruity yeast, marmalade and citrus hop aroma and flavour, toasty malt, the slightest hint of caramel complexity, and a very smooth, but assertive, bitter finish.
- Session Fest : According to Full Sail Executive Brewmaster, Jamie Emmerson, “Session Fest is a Czech-style strong lager called polotmavé or literally “light dark or semi-dark.” 
- Grapefruit IPA : Relying on a selection of very citrusy hops, this fruit beer starts as a straight up, solid American IPA. We take it a step further with some real Ruby Red grapefruit juice for a unique color and unmistakable flavor and aroma of grapefruit.
- Pantsless Pale Ale : A low bitterness American style Pale Ale with loads of American and New Zealand hops for huge aroma and flavor. A blend of Mosaic and Motueka hops create lively aromas of lemon, grapefruit, and dank pine for you Mosaic freaks. A gentle bitterness makes this beer refreshing and sessionable. If we put asparagus in this beer, it would make your pee smell like asparagus. That's why we don't do it. 
- Guillemot - GuillyVanilly (White Wax) : This iteration was conditioned atop dark Mexican chocolate and Madagascar vanilla beans for many moons. Deep vinous notes notes meet lush vanilla, ripe red berry, and a hint of fudgy licorice... We've been calling this one GuillyVanilly around the brewery.
- Apricot Petite Golden Sour : Fruited Golden Sour
- Imperial Breakfast Stout - Woodford Reserve Bourbon Barrel Aged : IBS is our imperialized version of our Breakfast of Champions aged 20 months in Woodford Reserve bourbon barrels. Brewed with copious amounts of dark and roasted malts, this is liquid breakfast in your mug- we used an insane amount of locally roasted coffee, Ghanaian cocoa nibs, and local maple syrup rounded by oak and packing a bourbon punch to deliver a beer fitting to start your day off with. You can’t drink all day if you don’t start in the morning, right?
- The Mix: Excessive Recessive : For this Mix, we took a couple barrels of Saison and aged them on fresh, whole organic Palisade peaches and nectarines at a rate of 4 pounds per gallon. The small genetic difference between peaches and nectarines is a recessive gene, hence the name. We’ve been aging this blend for over 4 months, waiting for the stone fruit juiciness to pop out of the bottle. The time is now.
- Moxie : This copper colored brew has light aromas of fruit and pine from late and dry additions of Northwest hops. The resulting subdued hop bitterness plays well with hints of toffee, biscuit, dried fruit and nuts from the malt. Almost 15% of the malt bill consists of rolled oats to give this ESB a pleasant silky texture that helps wrap up all the aromas and flavors into a complete package.
- Verglas Vienna Lager : Our Vienna is an amber lager with a smooth flavor and brilliant clarity. One may be surprised as to how subtle the flavors are despite its dark color. Notes of caramel and toffee dance on the tongue in a perfectly balanced ballet of complexity.
- Dia De Los Muertos Czech : Dark lager with Mexican mole spices and chocolate.
- Power Porter : Pale and black malts with just a touch of wheat give this traditional English dark an exceptional smoothness.
- Majestic Mullet Krispy Kolsch : Majestic Mullet Krispy Kolsch is a golden ale with notes of cereal and grain. Balanced by hints of floral hop aroma and an accentuating bitterness, the nuances of the yeast add a fruity, vinous note. 
- The One Horned Wonder And His Fanciful Flying Fresno : This may be the craziest idea we've had yet but who better to collaborate with when doing something crazy than world renown cocktail lounge The Aviary? We brewed a double IPA with Citra and Simcoe hops then we added passionfruit puree and rotary evaporated fresno chiles. (Rotary evaporation leaves behind all the capsaicin normally found in chiles. So, the resultant liquid has the essence of a fresno chile and none of the heat.) The finished product is a sensory experience unlike any beer we've ever had. There is a wonderful hop aroma and slight bitterness that plays wonderfully with the tartness of the passionfruit and the distinct characteristics of the chiles. Drink as fresh as possible. Look for The One Horned Wonder on the bottle list at The Aviary as well as paired with a dish on the upcoming menu at Next.
- King Royal : King Royal is our Baltic Porter brewed with a seriously huge variety of specialty malts and a touch of malted oats. Hopped with a bit of Chinook and fermented with lager yeast, then lagered for three weeks. Dense notes of dried fruit, dark bread crust, and a touch of coffee. Artwork done by the great @mikeillustrated
- Grass Monkey : Spring got sprung with this funky monkey. We dropped a big stash of Lemondrop hops into both the kettle and the dry hop – delivering a big citrus blast – and topped it off with a Lemongrass addition for a refreshing twist. Light in body with bright citrus notes, this is an extremely complex but very easy drinking brew. 
- Squatch Ale : This big, malty Scotch ale presents a wealth of complex flavors. Not too dark with a little bit of initial sweetness, it finishes dry. This beer will put hair on your chest and like our buddy Squatch, maybe all over!
- Working Man's Porter : An ale of true merit, brewed in the tradition of England's Industrial Revolution, an age of rough-handed factory workers, a time before the weekend existed. Hearty and truly robust, this Porter's body is built with complex English brown and black malts, and refined by Brambling Cross hops, which lend notes of herbs and black currants. It pairs well with oysters, shepherd's pie, and sitting down after a long day. ABV: 5.2% IBU’s 30
- Dunkel : Our Dunkel or dark lager is brewed in the traditional Bavarian style. With its pronounced, warm Aroma, malty taste and a finish reminiscent of fine coffee, this beer will please the senses – even for the most generic beer drinker. Don’t let the color fool you. This is not a strong or “heavy” beer. The Gunpowder Falls Dunkel is brewed with five different malt types and is lightly hopped.
- 100 Mile Ale : The 100 Mile Ale is a full flavoured amber ale, with lightly toasted malt flavours, caramel and toffee notes, and a well balanced bitterness derived from Ontario Chinook and Cascade hops. The aroma is dominated by grapefruit and light citrus notes.
- Hermanne 1882 : Hybrids are common in the world of viticulture, as growers attempt to produce the best and most tolerant grape. Hermann Muller, of Thurgau Switzerland did just than in 1882 as he crossed Reisling with Madeleine Royale to create the Muller-Thurgau grape. Now, a new hybrid has formed at Oakshire as our Brewmaster worked with Anne Amie Vineyards to create this beer/wine hybrid. We used Anne Amie's classic Muller Thurgau grapes and artfully blended it with a Belgian Golden Ale and matured it with Brettanomyces in Anne Amie's Pinot Noir barrels for a year. Hermanne is light and crisp, with a complex fruity middle and dry tannic finish.
- Samuel Adams Kosmic Mother Funk (KMF) Grand Cru : Kosmic Mother Funk is a one-of-a-kind Belgian ale fermented with multiple micro-organisms including Brettanomyces, Lactobacillus and other wild critters found in the environment of our 150 year old brewery. KMF is aged in large oak barrels which impart unique flavors into the KMF as it develops its flavors for over a year. Wild yeast and different bacteria in the tuns impart unique spicy, fruity, and bright tart characters to the beer. The porous character of the oak also allows air to slowly seep into the beer during aging and this long slow micro-oxidation through the wood smooths out harsh flavors. 
- Cat Moves : 3-4 mystery barrel aged beers blended with 2013 Dark Lord.
- Red Brick Vanilla Gorilla : Here at Red Brick Brewing Company we're serious about our beer, and the Brick Mason series showcases our dedication to the art of brewing. With that said, we invite you to enjoy this handcrafted Imperial Porter. Featuring Madagascar Bourbon vanilla beans, which impart a rich, dark, and creamy character, these qualities enhance the luxurious chocolate notes in the carefully selected blend of six different malts.The result is a beer at the height of our creative expression as brewers, and completely deserving of our hightest distinction as a Brick Mason.
- Y2B (Year 2 Beer) : Y2b is a limited edition brew to celebrate our second anniversary. The malts were carefully chosen to produce subtle caramel flavors that provide a strong base and balance for the copious amount of hops exhibited in this beer. The beers explodes with fruity, spicy, earthy, and zesty aromatics. 8 different varieties of hops: Citra, Mosaic, Tradition, Summit, Magnum, Warrior, Zythos, and Simcoe provide tropical fruit flavors of mandarin, passion fruit, peach, orange, and mango, that awaken your palate. Full bodied, with an alcoholic sweetness. Finishes with a clean bitterness.
- Tak Pale Ale : Pale ale basically originates from England, but we have brewed it in our own way. It was designed with the idea of a very tasty, aromatic and balanced beer. The base of the beer is formed by a relatively simple combination of the basic and caramelised malts. This base was then overlaid with 4 types of hops that give it a fresh, fruity aroma and a superbly refreshing taste, which together with the malt base creates highly balanced and dangerously drinkable ale.
- Hop Stoopid : Clean this mess up or else we'll all end up in jail...those test tubes and the scale...just get 'em all outta here..." He was referring to the complex super-critical-CO2 hop extraction equipment set up on the table in the lab across from the brewhouse. Hop extracts are for the BIG brewers, he thought - suitable only for crummy sub-standard and barely-passable industrial lagers, not the subtle and elegant craft beer made here. But wrong he was. The New Brewer does not eschew any possible inputs. In this case the mountain of extracts will replace the mountain of hop vegetative material in the kettle thus creating cleaner hop flavors and preventing the otherwise spinach-like mess of a kettle full of super-hopped wort from clogging up a pump or worse. The sensuous honey-like amber ooze was administered intravenously to the wort kettle and the sacrament was complete. Another kettle of Hop Stoopid is once again raised up and fermented on high.
- Haywood : Brewed with Pale and Oats. Hopped intensely with Amarillo , Mosaic and Motueka. Elicits responses of fresh crushed citrus, grapefruit, lively lemon and lime tones with background hints of tropical fruit
- Civil Disobedience #20 : Civil Disobedience 20 is dark, delicate and complex blend of Shirley Mae that was fermented in bourbon barrels and our spontaneously fermented collaboration with Cigar City.
- Tropical Platypus : This special tropical ale is brewed in celebration of San Francisco City Beer Store’s 10th Anniversary. Inspired by their adorable Platypus mascot, this equatorial sour blonde ale is aged in used wine barrels and oak foeders with an array of tropical fruits. We selected barrels with fruit-forward characters, and amplified those notes with the addition of kiwi, mango, lime and passion fruit. We tied the whole blend together with the addition of aromatic Galaxy hops from New Zealand. The finished beer is a tropical explosion, worthy of our duck-billed inspiration.
- Bar & Chain Stout : The Stout is a dark beer, strong and assertive. The malts used add depth of flavor with hints of chocolate and caramel balanced by a piney hop flavor.
- Revival Double Black IPA : This Cascadian Dark Ale, otherwise know as our Double Black IPA, emerged stylistically from the Pacific North West. It has an IPA backbone with a "special blend" of choice roasted malts combined with a hard hitting matchup of hops, knocking this beer into a new weight class. Dry hopped and unfiltered for maximum flavor and punch. Enjoy it with a trainer!
- Crescendo : This delectable Saison is brewed especially for the 2012 Glimmerglass Festival. It opens dramatically with full champagne carbonation, followed by rich malt, spice, and fruit aromas and flavors. It then swells to a crescendo of complex tastes and aromas. The finish closes gently with a touch of sweetness and a lingering hint of spice.
- 100% Brett Farmhouse Ale : Belgian Farmhouse Ale fermented with 100% Brettanomyces Bruxellensis. Musty ripe fruit, pineapple, and leather notes sit atop a dry, crisp pilsner base.
- Wrath Of Rocky : The imperialized father of Rocky's Revenge. A dark brown ale on the sweeter side with vanilla and oak characteristics from barrel aging.
- 1 Year Later : Pale Ale is hopped with mostly Simcoe and smaller amounts of Columbus, Motueka and Galaxy. 5.8% and 30 IBUs. This beer was brewed 1 year to the day of the first batch of beer we brewed...hence the name. Big aromas of stonefruit, passionfruit and lychee. Flavor is all Simcoe; sharp grapefruit and fresh pine. Highly crushable.
- Pot & Kettle : Our signature porter, brewed with oats, has a soft, velvety mouthfeel with layers of chocolate and roasted malt on the palate. The ominously black appearance belies this porter's approachability; Pot & Kettle is satisfyingly smooth and nourishing, but never lumbering or heavy. While not sweet, dark fruit notes, such as cherries, dates, and raisins, reveal themselves as the beer warms.
- Unfinished Story : Fruity, smooth, herbaceous.
- Blåbær : We combine fresh blueberries with our barrel-aged lambic-style ale to make pFriem Blåbær. Its aromas of ripe fruit, white pepper and tobacco lead to a bright, jammy flavor that finishes as tart and tangy as the berries themselves. 6 IBUs
- Solar Eclipse Black IPA : Jump started by bold citrus hops, rich dark malts lead the way to a roasty smooth finish. 
- Public House Biere : A somewhat fruity and easy drinking Belgian ale which is less aggressive than many other Belgian beers.
- The Darkness : You think you've tasted a robust stout? Think again! The Darkness is an incredibly dark and creamy beer that will overwhelm the palate with loads of dark chocolate and coffee flavours.
- Mon Cherie : Black cherries, sweet fruit body with an evolving mildly sour finish.
- Coffee Brown Ale : The breakfast beer of Mt. Carmel Brewing Company, this unique brown ale is a collaboration of local brewers and roasters. The bold aroma of Cincinnati's Deeper Roots Coffee balances a body of dark malt, chocolate and toast. Subtle notes of sweet maple and coffee create a refreshingly delicate finish perfect for the start of your morning.
- Framboise Lambic : Part of a rotating series of Lambics, using natural fruit and NO back-sweetening.
- Stout : This American style stout keeps in tradition with the high volume of roasted malts used for flavor and color. Black, Roasted, and Chocolate malts are used for a roasted coffee bean, dark chocolate malt flavor. Balanced with Cascade and Centennial hops for a crisp, piney character that is neither bitter nor overpowering.
- Mysterium Verum Rex Indomitus : Imperium has long held sway over Brett IPA’s in our barrel cellar. We’ve always enjoyed the interplay of wild yeast and hops, so much so that we decided to see how far we could take it. Enter Rex Indomitus. Rex is aged in oak with the same blend of Brettanomyces that ferments Imperium, but rather than Lost Gold, we’ve started with our Imperial Red Ale, Red King. After 12 months in oak, the beer is racked out of the barrels onto a fresh dose of dry hops. The finished beer has all of the fruity, funky hallmarks of brett fermentation, with an enticingly hopped finish.
- Woodstock Wheat : This German style Hefeweizen is our most popular beer. Brewed with 60% white wheat malt, and 40% pilsner malt. A special yeast strain contributes the characteristic fruity, spicy, clove, and banana flavors that make this style unlike any other. Just a touch of German hops provides enough balance to make it an extremely smooth beer to drink. Woodstock Wheat is unfiltered giving it a cloudy appearance.
- Aztec Mummy - Mango And Guava : Aztec Mummy is a marriage of two improbable elements: our gose--a salty, sour beer style of German origin--and tequila barrels from Northern Mexico. The result is a crazy mash-up that's almost impossible to categorize. The addition of mangos & guava complements this beer's infinitely crushable, margarita-esque profile with a veritable Carnivale of tropical fruit magic, taking this already-magical beer profile to staggering heights of delicious refreshment. ABV: 5.8%
- Schlafly Oak Aged Barleywine : Our Oak Aged Barleywine has a deep copper color and an intense malt flavor balanced by assertive hops. Fermentation with American ale yeast allows the caramel malt to shine. We age the beer on new, medium toast Missouri Oak to enhance its complexity and to develop its smooth, luscious character. 
- Lunar Ale : Our first new year-round beer since 1996, Lunar Ale is in a category all its own. Brewed using a unique aromatic yeast, this refreshing variety is best described as a cloudy brown ale with a complex, malty aroma and flavor, and a crisp, dry finish.
- Stout : Declaration Brewing makes a stout that is dark and roasty, yet avoids the acrid bitter imparted by the darkest grains. Our beer is robustly bittered and flavored with American hops. The citrus and piney character of our hops complement some grain flavors and contrast with others to make a complex and interesting beer, yet very drinkable
- The Heart Desires : This beer is part of a project we have been working on at the brewery for a few years now. We wanted to create a modern sour aged in barrels, with the same complexity and depth of flavour which our favourite sours from the USA offer. This beer started life as a simple blonde ale with low bitterness and was fermented with our house yeast. We then aged this in Burgundy barrels with fruit for well over a year.
- Oaked Spokes Series: BMX Barleywine (Rye Barrel Aged) : This American barleywine will derail you if not careful. This medium to full bodied ale packs a powerful punch, but is also very approachable for such a big beer. Unlike some barleywines our barleywine finishes dry without cloying sweetness. A medium hop bitterness balances out the body and caramel malt flavors. Rye barrel aging steps up the complexity adding a distinct spiciness.
- Brett Pale Ale : No Sachromyces was harmed in the making of this beer. The wild yeast Brettanomyces was added to pale malts and a ton of Citra and Centennial. Dry hopped with more citra and centennial, this funky beer is full of citrus and tropical fruit flavors.
- Baltic Porter : Baltic Porter is exceptionally dark, with a heavily roasted, smokey aroma. Unlike traditional porters, baltic porters use lager yeast, making the beer velvety smooth and slightly sweet. We added dried licorice root to give a pleasant, faint herbal note. The flavor rounds out with roasted notes of dark chocolate.
- Brown Ale : Dark and medium bodied with hints of caramel.
- Curiosity Ten : The tenth installment of our Curiosity Series, which began back in Brimfield back in March of 2013, is a gorgeous Double IPA completely saturated with hops. An imperial mash-up of Curiosity Six, Curiosity Nine, and Julius, Ten is one of the juiciest beers we’ve made. The aroma and flavor is filled with notes of orange juice and orange rind balanced by a pungent earthy dankness. Grapefruit, mango, and papaya also compete for your tastebuds while a soft mouthfeel and proper dryness make it a pleasure to drink! Ten!!
- Burdock American Wheat : Made with wheat, but clean and clear as a summer day. All-American yeast and hops (Galaxy & Mosaic).Light taste. Rich golden colour. Big passion fruit and fig nose.
- TRVE / American Solera - Devil Stuff : A Spooky Ale to Drink in the Dark.
- Dark Elixir : Aged in 12-year-old Heaven Hill bourbon barrels for 24 months. This beer's aroma is reminiscent of chocolate covered sour cherries. Notes of dark chocolate and cherries lead the way to a mouth puckering tartness that leaves you wanting more so...
- Selfie Destruct: New World : Selfie Destruct: New World is dry-hopped twice with Motueka, Waimea, and Wai-Iti, and hit with a third dose of just Waimea. The result is a different beer from the OG Selfie Destruct. Dripping with cherry, lime, and tropical fruits, this full and creamy beer is a fruity bomb pop of New World hops.
- Sir Dunkle Crispy Dark Lager : In the old days, most dark beers had a reputation for being heavy, even sweet. Not this one. By reinterpreting some historic German traditions, including the ancient “altbier” style of Düsseldorf and adding a decidedly 21st century American twist to it, we’ve created a dark beer with a dry, refreshing character and a ton of personality. We start with a mix or pilsner and pale ale malts for a complex, dry maltiness, then layer on specialty malts that add toasty, cookie and a little dark toffee character. All of this is balanced by a hop mix that adds to Sir Dunkle’s crisp complexity. Lagering rounds off any rough edges, leaving a satisfyingly dark-beer flavor with a clean drinkability.
- Division: Hotel : DIVISION is a blend of two ROSWELL variants with an additional fruit added. HOTEL: Blackberry, Apricot, and Black Currant.
- Virmalised : Translation: Aurora Borealis - A powerful and hoppy IPA that uses a blend of American hops, giving the beer a fresh citrus and grapefruit punch.
- Bookbinder : A wonderfully drinkable interpretation of a classic English ale. Bookbinder Bitter is a blend of four malts combined with two classic Nelson grown European hops (Fuggles and Riwaka). The beer pours an attractive reddish brown, with a cream coloured head. Bookbinder Bitter has a sweet, perfumey, malt and hop aroma with a soft, malty, fruit and vinous palate that is both full flavoured and refreshing with a long, gently drying finish.
- Brett Amber : Caramel and roasted malts have mellowed with age but contribute extraordinary complexity, while the Brett has further brought out hints of cherry-like summer stone fruits. Hints of chocolate and nuttiness from the sherry add roundness to the finish.
- H4LF2UAD : Rich, complex malt character with notes of caramel, raisin, and dried fruit with spicy Belgian yeast esters and super subtle earthy hop balance. Light mahogany color with a full body and slight alcohol warmth.
- Secular Celebration : Belgian christmas Ale - Fruity, dark and malty. Seasoned with a secret blend of spices.
- Beerbuddies Batch #002 - Dark and Moody : Also known as Dark and Moody
- Mexican Lager : A clean and refreshing Lager with fruity esters, accented by fresh kaffir lime leaves. Pairs with spicy food and your favorite summertime activities!
- Wachusett Strawberry White : The complex, spicy flavors of this traditional Belgian yeast are offset by delicious strawberry flavor. Brewed with 160lbs of strawberry puree per batch.
- Edacsac Dekoorc Eert : Made with the malt base of Crooked Tree IPA and hopped with Cascade, a classic American hop. This beer is much more on the citrus, or “grapefruit” side of what IPA’s have become known as in American Craft Brewing.
- Unity : We've brewed up an Experimental IPA focusing on not yet commercialized hop variety HBC 522. This beer packs a hoppy punch, and is super bright and tropical with notes of lemon, passionfruit, peach, and mango. Super stoked about the amazing bottle art by Nick Fullmer.
- Orchard Reflection : Orchard Reflection is the culmination of several months of hard work: We started with a few hundred pounds of stone fruit (including nectarcots, peaches, and apricots) from our friends at Collins Family Orchards. We then fermented this ale on top of them with our house yeast culture in our oak foeder for 2 months before bottle conditioning for an additional 2 months. The result? Something tart, fruity and delicious.
- Fistful Of Hops "Green" (Spring 2016) : Fistful of Hops is our quarterly IPA series, where we balance an ever-changing "Fistful of Hops" - a new variety for every season - against a consistent malt base. Our Spring 2016 release features Centennial, Mosaic, and El Dorado hops, for balanced citrus and tropical fruit flavor.
- Nitro Porter : Our smooth and robust porter on nitro hints of chocolate, raisin, and coffee. The dark roasted malts are well balanced against a blend of Centennial and Willamette hops. Pairs exceptionally well with our Braised Pork Shank. 
- Roggenbier : This German-style rye beer is brewed with over 30 percent rye malt for a pleasant spiciness, and it has low hop rates, a dark amber color, medium body, chocolate/light-caramel/roasted malt flavors, sweetness and aroma and Hefe yeast characters.
- Game Over - Darkness : This is a barrel-aged wild ale on black currants, cherries and raspberries. The result is a fruity, jammy, and luscious wild ale.
- Sandy Wheat : This hopped-up unfiltered wheat pays tribute to our founder's mothers, Sandy. The spirit and malt bill of a Belgian Witbier fused with the hop and soul of an American Pale Ale, with just a touch of grapefruit zest, make Sandy subtly complex yet refreshingly crisp.
- Mr. Blue : Rustique Saison brewed with Blueberries, and is the first beer to be released from our ‘Reservoir Dogs’ inspired series. This 7% Saison has a malt base of Rye, Wheat and Oats to deliver a spicy, fuller mouthfeel, hopped with Galaxy and Belma and then 500 kg blueberries per 1000 litre. This beer is complex and round with Belgian yeasty notes blended with the fresh blueberries that adds notes of nordic forest floors.
- Howling Wolf Weizenbock : Howling Wolf Weizenbock was crafted with 40% wheat malt, including German Dark Wheat and Caramel Wheat malts, and minimally spiced with Liberty hops, an American version of the famous German Hallertau Mittelfruh.
- Scratch Beer 113 - 2013 (IPA) : Another interpretation of the Session IPA style, Scratch #113 is an exercise in minimalism. Two American hop varieties. One type of malted barley. Our house ale yeast. While this session-strength IPA may not sound like a lot on paper, it nonetheless packs maximum aroma and flavor. The one-two punch of Cascade and Centennial hops delivers a fresh citrus-forward aroma and a clean, bitter grapefruit finish. The lone malt variety (Munich) provides a sweet, malty canvas to showcase the simplistic yet artful brush strokes of the hops, allowing the hop character to really shine through. One sip definitely deserves another. At only 4% ABV, you can afford to kick back and enjoy a few of these in one sitting. Cheers!
- Fork In The Road : The first beer in Blank Slate's "Traveling IPA" series. Autumn is a time of change and mother nature is at a fork in the road as the bright summer gives way to fall's darker colors. This beer sits squarely at the fork where darker malts and brighter hops meet. Munich and CaraRed malts give it an amber color and bigger malt presence than a standard IPA. Generous amounts of Citra and Centennial hops remind you that it's still an "India" style beer nonetheless.
- Nyx : The goddess of night! We start out by cold steeping the dark grains to bring about a brownie like smell and flavor, pitch black in color the goddess takes to the night skies. Roasted barley backbone and complex malts compliment the vanilla beans, cocoa nibs and toasted coconut that fight for control of your soul. Once she has you... there is no turning back.
- Wishful Sinful : Wishful Sinful is an American Sour Ale brewed with strawberries, blueberries, blackberries, raspberries, and flaked rye. Ruby red with a bubbly white head, at first glance Wishful Sinful looks like the Soft Parade we know and love, but a sinful secret awaits. A fruity aroma of fresh berries and just a hint of sourdough bread meets the nose. Sweet berry and spicy rye flavors reminiscent of Soft Parade are accompanied by a bright, sour acidity.
- Belgium Strong Dark : Dark ruby brown and strong with plenty of character from a Belgian yeast strain. Malty sweetness coats the palate, with notes of dried fruits and caramel. Finishes with an alcohol warmth.
- What Does The Fox Saison? : This delicate brew has a super clean and crisp profile with wonderfully fruity tones as well as some light spicy notes from the added chilies.
- Wild Oats Series No. 25 - Koru : Koru Belgian Pale Ale boasts interesting spicy, peppery yeast notes, with tropical fruit inflections from New Zealand Nelson-Sauvin and Rakau hops. Complex and tasty, with a dry finish.
- Battle Of The Lords : To become your best self you may need to vanquish your old self. You look at your reflection in the mirror, smash the mirror and walk forward. Galaxy and Vic Secret provide notes of passionfruit, pineapple, orange and lime with a definitive hop punch.
- Amaizing IPL : Corn India Pale Lager. We used a generous amount of flaked maize in the grain bill and added a ton of hops, domestic as well as varieties from Australia and New Zealand, before fermenting it with our house lager strain. The result is a nice beer with huge tropical notes of citrus fruit, kiwi and white grape, and a light lingering bitterness that begs for another sip.
- M4 : In the fourth installment of our M-series beers we teamed up with Mostra Coffee in San Diego to emulate a café miel. Big roasted coffee and sweet honey are complimented with cinnamon to make up this delicious Imperial Stout. The components come out in layers starting with a big nose of fruity honey and a hint of fresh ground coffee, then spicy cinnamon comes to dance around on your tongue with some velvety chocolate notes, and finishes with more honey and smooth creamy sweetness. This is a full-bodied sweet stout that comes in at 12% ABV with only a slight bit of alcohol bite that helps cut through the viscous honey. We chose to make this beer for December to celebrate the year that has passed and as a gift to all of our loyal craft beer drinkers. Cheers to another great year!
- Orange Colored Malcontent : Double IPA brewed with 120 pounds of fresh, hand squeezed Cara Cara oranges and hopped with Idaho 7, Ekuanot, and Apollo. This beer has refreshing notes of citrus spritz, candied bitter orange peel, sweet orange blossoms, tangerine dreams, and orange cream soda. A pleasantly firm hop bitterness provides the appropriate balance with supporting notes of tropical fruit.
- Forêt Sauvage : This complex farmhouse-style saison is a blend of three batches, all aged between 8 to 18 months with multiple strains of Brettanomyces and bottled conditioned for a couple of months. Please refrigerate for at least 24 hours prior to opening.
- Staccato Signals : Unoaked Sour Ale made with locally foraged southern yuzu zest, NC made white miso, local ginger, and NC malt. Fermented entirely in stainless steel with a mixed culture, this beer has an earthy, fruity aroma and savory, cirtusy finish.
- Back to Cavaliers : Red Wine Barrel Aged Belgian-Style Sour Ale aged on Egg Fruit and dry hopped with Denali hops
- Fistmas : Red ale brewed for the holiday season with specialty malts to achieve a beautiful deep red hue and the aromas of fresh baked bread, caramel, and stone fruits. Steeped with ginger root and orange peel.
- Brimstone Ryewine : Our full-bodied, 9.5% abv Ryewine, Brimstone, is mahogany in color and built on equal measures of smoky roasted malt and sizzling hop bitterness, accentuated by glowing embers of warm bread, dark fruit esters, and a dry, spicy rye character that smolders from your first sip to its long, lingering finish. Drink up, and get stoned!
- Yung Blud : With this beer, we were trying to execute the least malt forward Red IPA possible and we feel like we have achieved our goal. This is hopped intensely with Amarillo and Galaxy. Incredibly dank, pine, fresh grapefruit.
- Weekend At Bullies : Weekend at Bullie’s! is a multi oat and wheated up 6.3% IPA with Azacca, Ella and Simcoe conditioned on Passionfruit + Peach.
- War Elephant : War Elephant is as unapologetic as Double IPAs get. At over 4lbs. of hops per barrel, War Elephant contains a completely irrational amount of hops designed to create a unique hop experience. It has a “smack-you-in-the-face” hop aroma consisting of pine needles, grapefruit, tangerine, and other citrus fruits. Unlike many other Double IPAs, though, War Elephant has a subdued malt character so it’s never cloyingly sweet, and at 80 IBUs it isn’t overly bitter. Like all Rushing Duck beers, War Elephant is unfiltered so as not to strip any of the precious hop aromas from the beer. As a result it has a hazy golden color with a thick rocky head.
- The PastyArchy - Blueberry Maple : Full-bodied Russian imperial stout. The addition of maple accentuates the inherent flavors of this stout’s malt profile, and the addition of blueberry purée yields fruity notes adding complexity to the finish. Like old-fashioned blueberry pancakes and fresh maple syrup.
- Brush & Barrel Series: Imperial Stout : A dark-as-night Imperial stout dominated up front by a bold roasted malt flavor, which reveals hints of caramel, coffee and chocolate, while a subtle hop bitterness works in concert to reveal a dry, warming finish. On the nose, an earthy, peat smoke aroma accompanies the rich malt profile.
- Leviathan - Great Scott : Leviathan Great Scott pays homage to the celebrated Wee Heavy Scottish Ales of the past. This beer is a full-flavored, full-bodied dark ale with a complex malt character. The hint of smokiness is a tribute to the peated malts that were historically used in Scottish brewing. Relax and enjoy with bagpipes playing in your head (kilt optional).
- Sanctified : A Belgian ale showcasing prominent fruitiness deriving from the addition of 120 lbs of honey and a rich, balancing malt driven sweetness.
- Dad Jokes : A 100% El Dorado hopped double IPA. Pouring an opaque golden colour, this beer is straight hop juice. Expect big flavours of mango, pineapple and grapefruit.
- Remember The Ale-Amo : Every now and then a beer can capture more than just flavors, it can capture an idea. This beer does just that, being inspired by the Southwest. Although the inspiration may have seemed far away, local companies helped make it a reality. Mesquite smoked malt from Pilot Malthouse and hops from Big Mitten Hops gave a rich full flavored addition to the beer. Beans went into the beer as it was being brewed to add a wonderfully complex and truly unique mouthfeel. And to top it all off, a subtle dry hopping of chipotle and ancho peppers marry the whole experience. A full bodied red ale with nuances of smokiness and just the softest touch of spice in the background make this beer something to remember. Manifest Destiny calls!
- Summertrip : This kettle soured German style ale features 50% wheat malt and is balanced with the use of lactobacillus. Very little to no hop presence allow the bready/biscuit characteristics to come through, with a nice tart Passion Fruit finish.
- Hop Project #30 : For #30, we used a blend of Magnum, Columbus, and a new variety, Citra. Citra is a new variety released by the Hop Breeding Company in Yakima, WA. It's supposed to be a cross between Hallertaur Mittlefrueh and U.S. Tettnanger, but somehow bred to yield much higher bitterness. Its alpha acids come in around 12%. Our beer starts with a pleasant mellow and fruity aroma, with a rounded mellow up-front bitterness that fades into a sharp peppery finish.
- Hoppy Lager : At a higher ABV, our Hoppy Lager is a departure from the more traditional lagers we brew. We use a light grain bill and our clean-fermenting house lager yeast to create the perfect base to showcase large additions of Motueka and Centennial hops. This gives the beer an aroma of tropical fruit, lime zest, grapefruit, and light pine.
- Stoneface RIS : Brewed with cold brew coffee from Port City Roasters and Tahitian vanilla, our Russian Imperial Stout features a velvety smooth mouthfeel paired with a robust, complex flavor profile.
- Deckhand Belgian Saison : Deckhand Saison is a rich, golden, Belgian farmhouse style beer. Pilsner and Vienna malts added with flaked wheat gives this beer a soft malt character while the unique attributes of a true Belgian yeast strain add spicy, peppery and fruity flavours. The acidic sourness and dry finish complement the noble hop character of Styrian Goldings hops. True to this artisan style of beer we present it unfiltered so that you can taste the full flavour of this complex and very satisfying brew. A stemmed tulip glass will enhance the aroma and support the large foamy head.
- Lakewood Hop Trapp : We're no monks, but our Belgian-style IPA gives a tip of the hat to our divine brethren. Brewed with rich malt, noble hops, Trappist yeast and a kick of coriander, this is one complex beer. Rather than make a beer that's more of a dare to drink than a pleasure, balance was the priority here. We wanted a beer for "hop heads" and novices alike. Hop Trapp pours with a refined bitter backbone, floral hoppy notes and a decidedly Belgian finish. This brew is worthy of some serious contemplation.
- Hendrix : Berliner-style wheat ale, with 100% fresh cucumbers shredded and added to the brew kettle. Refreshing bright fruity and floral notes are augmented by subtle spiciness and botanicals from gin barrel aging.
- IPApaya : Winter weather forecast for Hood River: unseasonably tropical. IPApaya, the latest in our Pub Series, blends locally grown hops with notes of papaya for a vacation in a bottle. IPApaya was born out of our interest in the tropical aromas of Northwest hops. Pale and wheat malts along with healthy additions of Equinox and Cascade hops provide the perfect golden base for the addition of papaya. The result is a refreshing IPA with the subtle essence of papaya. Tropical aromas of citrus, passion fruit, and papaya are well complemented by clean malt notes.
- Stout : Classic and flavourful, this beer is dark in colour but light enough in alcohol that it’s still refreshing in the hot weather. A great beer for those who seek the roasty, toasty flavours of a stout.
- Siberian Black Magic Panther : This beer is as hairy as a Siberian... or as a panther. And you better believe it because it gets the black magic from mountains of roasted malts and dark candi syrup. During the long weeks in the fermentor it gathers its rage... a rage this mythical beast of imperial stout wants to unleash on your taste buds.
- Weizenbock : A Bavarian cloudy Weiss or Wheat beer brewed to bock strength. The overall impression is a beer that is strong and malty, rich, full bodied and warming. Flavours of chocolate, Christmas cake, raisins, dark fruits and even a hint of Easter spices and clove characters.
- Nor' Easter Winter Warmer : This is a truly unique brew, combining some unusual elements to create a powerful, yet flavorful brew. I brewed a similar beer to this one back in 1998, while I was home brewing out in California. Only this time around, I decided to age it in bourbon barrels to add a new element to the already rich sensory profile. The combination of dark malt, elderberries and bourbon barrels makes for an interesting tasting experience. This is a sippin’ beer, so sit back by the fire and enjoy.
- Liquid Crystal : A delicate, light-bodied farmhouse ale featuring Azacca hops. Hoppy, funky, crisp, fruity, dry, refreshing. Collaboration with Flagship Brewing Co.
- Coffee Stout : Coffee complements the dark malts and strangely mellows the flavours to provide a smooth drinking stout which smells as good as it tastes.
- Saison Ale : Allagash Saison is our interpretation of a classic Belgian farmhouse style. It is a golden hued beer, brewed with a 2-Row blend, malted rye, oats and dark Belgian candi sugar. Saison is hopped with Tettnang, Bravo and Cascade hops. Fermented with a traditional saison yeast strain, Saison exhibits notes of spice and tropical fruit in the aroma. Citrus and a peppery spice dominate the flavor and make way for a pleasant malt character. Saison is full bodied with a remarkably dry finish.
- Toho : Toho is our award winning Hot Chocolate Milk Stout. In addition to a generous amount of dark malts, we added hot cocoa powder and lactose sugar to make this a creamy, chocolatey glass of deliciousness.
- Tropical OGB : Our OG Berliner Weisse fruited with Mango and Guava.
- Orchard Reflection : Our second beer featuring whole fruit from Collins Family Orchard. This sour ale uses a mix of apricots, peaches, and second use apriums (from Aprium Dream) all combined in our foeder for a delightfully fruit-forward kick in the teeth.
- Urkontinent : Urkontinent is a Belgian-style dubbel that begins with Pilsner, Munich and Chocolate malts and Belgian Dark Candi syrup.
- HopAnomaly : (Previously known as Hop God) A beautiful golden crossbreed of a Belgian Tripel and a West Coast IPA. A remarkable explosion on the palate with spiciness, tropical fruit, and a firm citrus bitterness that will leave you begging for more! Aromas of grapefruit, citrus, and piney hops & tastes on the palate that tend toward pineapple, mango, and sweeter fruits. A big beer that was inspired by the West Coast – yet brewed by a Midwestern brewery not content with the status quo.
- Geodesic : An IPA created with generous amounts of wheat and a mountain of Experimental 331, Mosaic, and Amarillo hops, Geodesic is at once assertive, complex, and massively refreshing, with big resinous flavors and aromas complemented by a boatload of tropical fruit character. It's an intensely delicious combo that handily maintains the difficult balance of intriguing complexity and serious crushability. We feel really good about selling it to you.
- The Heart Of Darkness : One look at this inky libation and the name is understood. Think and rich, this beer devours light. A complex blend of light and dark malts gives this crafty brew layers upon layers of flavor. A subtle sweetness bolsters the bitter dark malts bringing out their nuances. Mellow burnt notes and hints of coffee give way to a creamy chocolate aftertaste. A cohort of shadow, the Heart of Darkness is the perfect partner to help survive the long, dark, frigid nights of winter.
- Oak Aged Imperial Red (Venture Series) : Our Oak Aged Imperial Red has intriguing aromas of oak and mocha. Creamy malt flavors of caramel and chocolate create a complex flavor balanced with hop bitterness.
- Smoke Stack Stout : Pitch black in color, our Smoke Stack Stout is as dark and robust as the name implies. You will find characters of baker's chocolate, roasted grain, cacao, caramel and spicy hops that finishes roasty, bitter, and semi-dry. This beer is all about the malt, in which we use a wide assortment of grains to build the desired complexity.
- Repo Man : Repo Man Pale collects flavors of pine, lime zest and tropical fruit from the combination of Equinox and Citra hops. This hop pairing sits on top of a soft creamy malt body that finishes fruity and refreshing.
- High Desert Pale Ale : Previously known as the “Northern Pale Ale.” This unique beer takes an Oktoberfest recipe and turns it on its head, interpreting it as an easygoing American pale ale. Using 100% estate-grown malt from a small family farm in Oregon’s famous High Desert, this beer will have a flavor and complexity truly unique to the American Northwest. Subtle toasty, bready, and earthy notes linger throughout this beer – try it once with any hot dog and you’ll see why it was such a runaway hit at our first opening.
- Dark Night : Dark Night is a rich and bready dark German lager that balances roasted yet smooth malt flavors with an earthy hop bitterness. The neutral malt profile and clean lager characteristics create a dry, but extremely drinkable beer.
- Belgian Golden Ale : A great beer for the summer weather. Our version is a rich golden color and light hopping makes this a refreshing and easy drinking brew. Fermentation was achieved with an authentic Belgian yeast strain that produces slight fruit and peppery notes along with a light phenolic flavor. The malt sweetness complements the yeast flavors making for a well balanced brew.
- Nightmare On Brett - Cherry : Dark sour ale aged in Leopold Bros whiskey barrels with cherries
- Mexican Cousin : Imperial Mexican Lager is brewed with Mexican Orange Blossom Honey and is aged in tequila barrels for ten months. Mexican Cousin is bright, crisp, and bursting with complex aromas of wild honey, cooked agave, and mandarin citrus.
- Pastiche : Complex Amber Ale
- The Prioress : Smooth, sweet, and complex, the Prioress Milk Stout is full of wonderful caramel, toffee, and bitter dark chocolate flavors. Just a touch of roasted barley rounds out the finish, leaving a lingering chocolate covered espresso bean quality. Heaps of oats and lactose provide a velvety mouthfeel that is rich and elegant.
- Drink Well Red Ale : Drink Well Red Ale is as complex as it is simple. A robust Irish style red ale with a uniquely American twist. A floral nose with a touch of citrus coming from American Willamette Hops leads into a rich, malty backbone with big caramel and toffee notes, met in the middle with a distinctly toasty, mildly chocolaty finish. This drinking ale goes down smooth and finishes just dry enough to leave you craving another sip, then another pint!
- Stanley Park Noble Pilsner : Our brewmaster takes a full 28 days of great care and attention to detail to exact the balanced yet subtly complex character of this true Belgian Style Pilsner. Stanley Park Noble Pilsner is named for the careful blend of the noble hop varieties Hallertau-Mittelfrueh and Perle, which result in delicate and refined aroma and flavour. The use of these hops, 100% malt, a unique strain of yeast and carefully hand ground natural Belgian ingredients results in a mildly intense Pilsner with a remarkably pleasant finish.
- Cylindrical : Wheat beer, soft, hazy, with light notes of sweet fruit and floral spice.
- Orion : Night Shift Barrel Society 2014 Release #5. Sour dark ale aged in oak barrels.
- Simple : English Mild; simple yet complex malt notes. Dark in color, full in flavor, sessionable!
- Red Ruby : American wheat ale with grapefruit and key lime zest.
- Golden Sour Ale : Aged 24 months in Red wine barrels, this golden sour is intensely tart, with a dizzying array of fruitiness and mouth puckering acidity.
- Black Oak Beat The Heat : Inspired by the farmers of Belgium who would brew beer during winter months for consumption on hot summer days, our Beat the Heat Belgian Wheat beer incorporates orange zest and coriander seed to create a light bodied ale with complex earthy and citrus notes. This higher carbonation brew embraces fruit and spice, a slight toasted wheat body while finishing dry to quench your palate. Enjoy on the warmest of days paired with soft goat cheeses and barbecued seafood. 
- No Self : Robust Porter brewed with a plethora of dark malts and PA local wildflower honey. Conditioned on additional heaps of honey along with Madagascar bourbon vanilla beans, marshmallow root, and pink peppercorns. Rich, velvety, and contemplative.
- Haunted Stars - NOLA Coffee : Haunted Stars is a rye imperial porter rocking a chewy, chocolaty, spicy malt character that coats the mouth and warms the cockles. We added New Orleans-style coffee to this already-delicious mix, yielding gorgeous notes of coffee, chicory, and vanilla that take this beast to a whole new level of decadent complexity. Ready your taste buds for acute pleasure.
- Kittatinny Wheat : A pale, spicy, fruity, refreshing wheat-based ale that is named after the Kittatinny Ridge, the premier raptor migration corridor in the Northeastern US, where the best- known hawk watching site in the east, Hawk Mountain Sanctuary, is located.
- Milk Stout : Don’t fear the beer, boldly go. Nitro is your vessel on this roasty chocolate wave that ripples through the velvety dark mysteries of the universe. Made from stardust, our milk stout is a taste of the Milky Way.
- Hazer Beam IPA : Hazy/Juicy IPA. Silver Medal Winner at the 2018 Brewing News, National IPA Championship. Fresh out of Eastern Oregon. Hazer Beam IPA is brewed with a bunch of Mosaic, Mandarina, Ekuanot, and Galaxy hops layered over a base of Pilsner malt and wheat. We added some Eureka malt from Baker City's Gold Rush Malt for some complexity.
- Low Res : A delicate, soft, fruit-forward IPA. Made with Maris Otter, malted oats, and wheat. Hopped with Citra, Motueka, and Jarrylo. Double dry hopped with Citra and Motueka.
- Hopfenstopfen : Hopfenstopfen is an 85% white wheat hefeweizen brewed with a modified decoction mash to enhance the mild flavors of the malt. Copius dry-hopping with whole leaf hops open a big aroma of tangerine, lychee and mango that pairs beautifully with the mild lactic sourness. Pairs with creamy sauces, Vietnamese spice, fried seafood and fruity desserts.
- Hopdevil : Brewed with fresh Cascade hops from the Maple Bay Hop Farm this beer showcases the cones, using malt character only as a balance to the earthy & fruity hop character. Flavours of honeydew melon & citrus escort this extremely session-able fresh hop beer.
- Haller Bock Girl : We use the proper dose of Hallertauer hops in this beer, so it only makes sense to name it appropriately. A toasty, bready, nutty lager that finishes clean. Our bock is fermented at typical lager temperatures and lagered until the yeast flocculate and settle naturally. We use a healthy dose of Vienna malt with a Munich malt base and a delicate hop addition.
- Fated Farmer: Fruit Salad : Our Fated Farmer Series is a landmark step toward realizing our foundational vision for Trillium: build a place that intuitively celebrates the intersection of New England farming, agriculture, brewing and an integrated community experience. The grist of each of the dynamic Fated Farmer wild ales is set on the structure of Valley Malt and is barrel-fermented in 500L puncheons with our native New England wild culture and aged for 5-7 months, before refermenting on freshly harvested fruit.
- Venus (Nutter Butter) : Venus is our base milk stout with cold steeped dark grains. However… we wanted to have some fun with cookies! The base beer is almost lost in the flavor of Nutter Butter Cookies and exploding with graham cracker like notes, hints of chocolate and a sweet milk finish.
- Hopulus Erectus : New recipe just for the 2017 Hob Mob Roadshow. Hopulus Erectus will make any IPA fan stand up and take notice! This bold, triple IPA puts the hops’ citrus, grapefruit and piney flavors front and center. We do this by filling our hopback with the latest harvest’s whole leaf Citra hops and then dry hopping the beer 3 times with Simcoe and Mosaic hops. Nearly 10# of hops are in each barrel of Hopulus Erectus. Hop insanity! 
- Vow Of Silence : A Belgian-style dark strong ale that showcases notes of stone fruits and raisins. Dark amber in colour with a higher carbonation to keep the beer from feeling to heavy.
- Habit : A ripe, juicy beer, Habit boasts composed bitterness tempered with resinous papaya, grapefruit, and mango. This IPA continuously delivers the forward, yet satisfying hit of hops every IPA drinker craves.
- FogBound Hemp Pale Ale : This American style pale ale is brewed with pale and Munich malts, American hops, and crushed hemp seeds. The result is golden coloured ale, with hints of fruitiness balanced by a nutty characteristic from the hemp seeds. Light and refreshing. 
- Fathom : Fathom is a two year project aged in our oak foudres. It is golden in color with a clean, refreshing sour finish. It is full of complex flavor notes including oak, fruit, brettanomyces. Opus for sour lovers!
- Raspberry Blonde : This quaffable blonde ale is made with real pilsner malt and a touch of wheat to lend a beautiful golden blonde color that's easy on the eyes. A generous dose of American hops add floral and citrus character, and plenty of fresh, red raspberries add a fruity color and flavor.
- Lips Of Faith - Clutch Collabeeration : This pleasing, two-part, potion was brewed with chocolate and black malts for a rich and roasty overtone, then fused with a dry, substratum of sour for a bold and audacious flavor. Black as night, this beer is blended at 80% stout, 20% dark sour wood beer for a collaboration that begins with a sour edge and finishes with a big, dark malt character, lingering, sweet on your palate.
- Why Laugh When You Can Cry? : Why Laugh When You Can Cry? is a Very Sad Double IPA brewed with a touch of malted oats, and a heap of Australian Galaxy hops. Dry hopped with a silly amount of Mosaic and Galaxy. Why? Notes of drippy mango, peach pie, key lime, ruby red grapefruit, and lychee.
- Autumn Winds : This Oktoberfest-style ale, brewed with five premium German malts, create a bready aroma, dense creamy head and brilliant garnet red color. Hallertau and Saaz hops compliment the nutty and biscuit-like malt presence while a touch of caramel and moderately dry finish continue to balance out this full-bodied beer.
- Short's Dock Sitting : Dock Sitting is an India Pale Ale brewed with Citra, Mosaic, and Azacca hops and fermented with Vermont Ale Yeast. The beer is bright with a golden hue and has aromas of mango, pineapple, and guava. This medium-bodied IPA has flavors of tropical fruit and a bitter finish.
- Milk of the Gods (Pink Guava and Peaches) : Milk of the gods series focuses on combining a perfect combination of hop flavor and pairing it with loads of fruit. Top the whole thing off with lactose and a kiss of vanilla beans, and you have a milkshake that will bring them all. This version is on peaches and pink guava! Bursting with fruit flavor these hops complement the smooth pink guava and bright peach flavors. Vanilla and lactose help round out.
- Bourbon Barrel-Aged Abbot : Bourbon Barrel-Aged Version of this Belgian Dark Strong Style Ale. Made with Pilsner, Vienna, Abbey, Aromatic, Special B, Perla Negra malts, and Belgian Candi Sugar gives this brew a rich malt character and unique sweetness. The Candi Sugar and Special B malt lend raisin and plum flavors and a deep amber color. Styrian Goldings hop gives a little balance and a noble spiciness, but little to no hop bitterness. The use of a Belgian Yeast Strain, at slightly higher fermentation temperatures, adds estery, alcoholic, and spicy character. Complex, rich, smooth, and dangerous. Our first ever beer from the family of Belgian beers.
- Square Feet Wheat Dunkelweizen : Square Feet Wheat for Fall/Winter has been released to the masses. This is a dunkelweizen of distinction. Fermented with a weizen yeast strain from the Andechs Brewery in Germany, Square Feet Wheat Dunkelweizen bears a taste of clove along with some fruity esters that include apples and pears. Heartier than a mere hefeweizen, this dunkelweizen is the perfect match for the Fall and Winter seasons as it boasts a 5.5% ABV and flavors that will complement holiday meals and desserts.
- Charismatic Gorilla IPA : Big fruity, citrus, spicy hop flavor, slight malt backbone.
- Passion Aggressive Milkshake IPA : Milkshake IPA with passion fruit.
- Passion Fruit Prussia : The Passion Fruit Prussia is our non-traditional look at the classic Berliner Weisse style. Brewed with a generous amount of passion fruit, this beer pours golden in color with a nice tart finish. A perfect compliment to the summer heat.
- Paper Tiger : This unfiltered Pilsner features Weyermann Pilsner malt, a northern European lager yeast and an ample Sterling + Nelson Sauvin dry hop. Crisp, with fresh, fruity and floral aromatics and a clean, hoppy finish. Simple and delicious. 
- The Explicit DahlCraft American Pale Ale : The Steve Dahl Show and Haymarket Pub & Brewery present the show’s first ever original beer. The show’s own Jim Ruffato created this recipe and brewed it with our Brewmaster/Owner, Pete Crowley. This APA is floral and citrusy with hints of mango and grapefruit. It is dry-hopped with Cascade, Centennial and Warrior for a huge hop aroma. To learn more about the Steve Dahl show and to subscribe visit www.dahl.com.
- S'tart : S’Tart launches Barrel of Monks into the the fascinating world of Belgian - style sour beers. This beer is made with the finest European malt and hops, soured with lactobacillus, then fermented with a Belgian yeast strain that adds fruity character. Our brewers strived to find a balance between a pleasant tartness and malt sweetness, achieving complex fruit flavors and aromas such as apricot and tart peaches without the addition of fruit.
- The Defender : The Defender is constantly vigilant, standing guard over all those who dare to create, to dream, and to drink great beer. This bright, juicy, West Coast-style IPA takes on a reddish twist from a dash of roasted malt. Bold, fruity hop bitterness and an intensely resinous nose lead the way into a dry finish that blazes the trail for your next sip.
- Red Rock Le Quatre Saison : Originating in the farmhouses of Wallonia in the French speaking region of Belgium, Saison (French, "season") was brewed for field workers during the harvest season. Red Rock is proud to present a modern version of this once endangered style of beer. Moderately hopped, this refreshing ale boasts a complex style of fruity aroma and flavor, some spiciness and a hint of tartness.
- The Newburgh Conspiracy : Victory in 1783 brought great joy throughout the colonies, but there were also dark times ahead. Tired & angry Officers of the Continental Army grew restless as they awaited their hard-earned wages from our new Congress. A planned revolt was quashed by General George Washington, right here in Newburgh. This event became known as “The Newburgh Conspiracy”. That dark moment in Newburgh history inspired the naming of our Russian Imperial Stout. “The Newburgh Conspiracy” is as dark as the hearts of those erstwhile conspirators. Made from only the first runnings of 2 separate brews, it is extremely rich, high ABV, yet smooth and drinkable. Hints of licorice and dried fruits are evident from the enormous amount of roasted malts. The high alcohol is warming without overpowering, making this a tasty treat for the cold winter ahead. And at 11% abv, a pint or two of this would’ve surely put those angry officers at ease.
- Billy Branch Brown : “Billy Branch Brown” is a beer hybrid that is 2/3 brown ale and 1/3 cider. Like a darker, more malty, tart cider, this beer is sure to challenge what you think a beer “should” be. I dare you to try it!
- Scratch Beer 96 - 2013 (Porter) : Scratch #96 is the second release in our Scratch Beer series to utilize an experimental hop variety in its recipe. We brewed this robust porter exclusively with a new hop known only by the numeric sequence “06300.” The prominent earthy attributes of this unique hop work nicely with the darker malts used to create this latest Scratch creation. The result is a smooth, mellow mouthfeel with an intriguing minty finish ensconced in plenty of roasted malt splendor.
- Black Hop Down : NXNW partnered with Alamo Drafthouse and Uncle Billy’s to make this bold Cascadian Dark Ale with notes roast coffee and a spicy hop character.
- Askianos : If you think that black beer is heavy and high in alcohol volume, thus not of your taste, our Porter is about to change your mind. Askianos is a delicate beer with intense notes of chocolate & coffee. Pair it with vanilla ice cream, dark chocolate or grilled meat.
- Double Milkshake IPA - Apricot Chamomile : Apricot Chamomile Double Milkshake IPA is our latest plugged in heavily amplified psychedelic riff on THE boundary-pushing Culinary IPA series that we created with our psycho siblings at @omnipollo over three years ago! Brewed with gobs of oats and lactose sugar. Conditioned atop an abundance of luscious Madagascar vanilla beans, ripe and drippy apricot purée and fresh chamomile flowers. Intensely hopped and then double dry hopped with Mosaic and Citra.=) Life affirming notes of tangelo sorbetto, juicyfruit, vanilla and marshmallow sundae, spring flowers and blueberry parfait.
- Freestone : This bottle-conditioned sour ale was brewed without hops and fermented with our mixed house culture before resting in barrels with wild yeast and bacteria for 6 months. The beer was then blended and refermented on Southern Illinois-grown freestone peaches before being bottled. This beer has a beautifully subtle fruit character and sourness; the yeast and bacteria combine with the peaches to create a delicate honeysuckle-like aroma with a lightly tart finish and a touch of oak.
- Crux Pilz : This is not your father's Pilsner. It's more like the Pilsner that belonged to his stern father, the one with all the rules but who gave you treats whenever your parents weren't looking. Brewed with traditional Pilsner Malts, imported Czech Saaz and local Oregon Sterling hops, this Pilsner's first sip shows up with clean lager flavors, and then opens up with surprising complexity and softness---developing biscuity flavors, spicy herbal notes and a hint of lemon.
- Golden Helles Lager : German for "bright", our Helles is an easy-drinking, yet surprisingly complex, golden lager.
- Roberts Lake Sunset Wheat : This refreshing American wheat is hopped to the max with Mandarina Bavaria and Simcoe. Delightful citrus aroma with flavors of orange rind and fruit.
- Crafty Jack English Ale : Rich, dark and malty, yet remarkably light on the palate, this unmistakable beer is a tribute to the classic ales of old England. Some say it tastes of London, we say it tastes delicious.
- Lug Tread Lagered Ale : Golden-hued, crisp and finely balanced, Lug Tread is our tribute to the classic beer of Cologne, Germany. Lug Tread is top fermented (like an ale) and then cold aged (like a lager) for a lengthy period. This gives our beer some light ale notes complemented by a lager-like crispness. Lug Tread displays interwoven malt and hop flavours, subtle fruit flavours and a crisp, lingering finish.
- Brown Ale : Our medium-bodied Brown Ale is brewed in the English tradition, with an infusion of American creativity. The rich, malty backbone balances an assertive hop character, and ends with a smooth, dry finish. Our Brown Ale boasts a dark brown body that supports a creamy tan head.
- Live Free Porter : As dark as an English tavern booth, this ale is brewed for session drinking with your mates! Have a pint or three and enjoy the depth of this rich yet extremely drinkable porter. Based with 100% organic American malts and organic New Zealand hops, this porter reminds you to live freely and remember where you came from.
- Boar Diddley : Boar Diddley is hitting the stage like a friggin' legendary rockstar, triple dry hopped straight to the top with Mosaic, Equinox and Simcoe hops. Rocking subtle strawberry notes and a menagerie of other fleshy fruit flavor, this one came out pleasantly different than most of the juicy IPAs we've been cookin' up lately.
- Sangrioro Pepa : Tart and fruity farmhouse ale aged in oak barrels with California grown apricots, peaches and nectarines. 
- Winter Mingle : A stout whose malts mingle with a touch of vanilla and notes of dark chocolate.
- Everleigh : Maris Otter, flaked oats and crystal malts make up the grain bill on this classic English style ale. Complex yet light hints of biscuit and toasted flavors are evident. We used fuggle and UK East Kent Goldings for both bittering and aroma. The toasted malts and earthy hops produce a great beer with each sip as enjoyable as the first one.
- Sin City Stout : A traditional Irish Dry Stout, it is a full, richly flavored beer with a roasted, coffee-like taste and a hint of chocolate, balanced with an abundant hop profile that delivers a satisfying dry finish. A thick creamy head rests on top and holds the rich roasted aromatic qualities in the glass. This is truly the darker side of sin!
- Berliner Weisse - Passionfruit Peach : Made with the juice of peaches from California and passion fruit from Ecuador, a Pan-American take on the German classic.
- Alpha Male : The aggressively hopped “Alpha Male” stands center of attention with its robust and alluring hop aromas of earthy and fruity flavors and is perfectly balanced by a subtle malt character. Extra hoppy and overtly over the top, paired with a seductively crisp undertone.
- Wet Gravity : The density of our beloved hop essence in this gorgeous silken beer drips down from your head and soaks your feet. We hopped this densely with the eternally saturating Citra and Azacca hops. The aromas of passion fruit, mango, and deep citrus-resin will drag you down by the river's edge like rocks in your pockets, showing through like the deep brainsqueals and infinite pulse of gravity clinging to your senses and calling you home from across the furthest extremes of creation's immensity.
- Yvette : Belgian Blonde - This golden ale was fermented with a traditional Belgian Abbey strain lending classic esters of fruit and spice; we’ve hopped it entirely with Australian Summer to accentuate it with subtle, refreshing citrus and melon notes.
- Kodachrome Dream(ing) : Brewed in collaboration with DC's own Mad Fermentationist, fermented with our house mixed-culture of wild yeasts. Brewed with wheat, lots of grapefruit and lemon, and dry hopped generously with Galaxy and Citra. Make's you feel like all the World is a sunny day.
- Cupid's Arrow : Cupid’s Arrow is a Berliner Weiss brewed with passionfruit and rose petals. Bright straw colored with a white head, this beer has prominent aromas of tart passionfruit with complementing floral scents. Light bodied with mouth puckering tropical flavors, Cupid’s Arrow finishes dry and tart with light floral notes. Once you’re struck by Cupid’s Arrow, you’ll be salivating for more!
- Zeus Juice : Wheat beer and IPA mashup with spicy, fruity, and tropical fruit flavors
- Second Anniversary DIPA : This is one of the hoppiest fruit bombs we've ever made to date, with Citra, Galaxy, Wai-iti and Kohatu hops.
- Meadowlark IPA : Meadowlark IPA is a new juicy and floral hoppy, hoppy ale we brewed to celebrate the flavor and spirit of American craft brewing. This 7% alcohol beer has a sunny orange-yellow colour, 85 International Bittering Units, a smooth mouthfeel and layer upon layer of soft flowery hops. We wove earthy Citra and bitter Bravo hops from the Pacific Northwest with intensely fruity and aromatic Galaxy hops from Australia. The malts are pale malt & mild ale malt, pale crystal (1.3% of the grist), flaked barley with malty highlights from Munich malt and a bijoux of Roasted Barley. The resulting patchwork is as “American” tasting as short ribs and slaw, and provides an excellent accompaniment to that kind of food too! Very hoppy and bitter. Yum.
- Draco : A kettle sour with passion fruit and dragon fruit.
- ...And Rock The Blvd : Our take this go round on the traditional APA features Centennial and Mosaic hops. Strong notes of citrus, pine, and passion fruit make this a hop lover’s dream beer.
- Ambassador Am-Belgo : The best of both brewing worlds: A hybrid Belgian-American strong pale ale with golden-copper color, medium body and maltiness, low caramel/toasty malt flavor, floral and citrus-like American-variety hops used to produce high hop bitterness, flavor and aroma but some phenolic spiciness and high fruity esters from Belgian ale yeast.
- Do You Even Sudachi, Bro? : Berliner Weisse with Sudachi Fruit
- More Stories Than J.D. Got Salinger : This Chicago farmhouse ale features the addition of garam masala and orange peel. Complex spice and citrus notes dominate this take on the tradional Belgian ale.
- Haze County : Haze County is our first year round double IPA! There are many different ways to approach a double IPA, but we chose to take the simple route: lots of hops. A mix of multiple Yakima Valley hops delivers a complex blend of tropical fruit, stone fruit and just a hint of earthy dankness. This delivers an experience that can only be found in the deliberate and expressive usage of hops.
- Barrel Aged Nectarine Grizz : The Grizz is back in this Limited Edition barrel aged release. Refermented in the barrel with local nectarines, the intense maltiness of The Grizz serves as a delivery vehicle for the essence of the fruit, balanced by bright nectarine acid & tannins and the earthy sour character of the native micro flora & fauna of Dry Creek Valley.
- Grace Anne Stout : Strong flavor of dark chocolate and french roasted coffee make this one perfect to chew. Dark and delicious!
- Odin's Tipple : Odin's Tipple was meant to be a strong beer, but we changed our minds...its still strong but we wont follow the mega strong trend. It should be possible to make great beer without the extreme alcohol potency. Odins Tipple is now approx 11% abv, it’s a dark almost black beer from lots and lots of chocolate malt. Its the malt that contributes the flavor...no added coffee or anything else, Its got a great body without being old engine oil and still very drinkable due to the wild yeast we use. This beer is made with a single strain of wild yeast and the recipe is dead simple.
- Belgian Dunkel : A dark Belgian Ale made with a combination of Pilsner, Munich, and Chocolate malts as well as Czech Saaz hops. Fermented with Belgian Trappist yeast.
- In Robust We Trust : Our “Robust Porter.” Smooth, full bodied, coffee, tobacco, dark fruit….yum!
- Wild Sour Series: Smoked Gose : Brewed to celebrate the two-year anniversary for when we started brewing the very first batches in our popular Wild Sour Series in November 2013, this is a smoked version of our Leipzig-Style Gose (Here Gose Nothin’®) brewed with English Oak-smoked sea salt and mesquite-smoked malt for just a subtle touch of smokiness to add another layer of complexity in this sour ale known for its tart, citrusy, lime-like qualities and slight spicy note from added coriander. Cheers.
- Framboise Rose Gose : By adding rose hips to the boil and fresh raspberry puree at the end of fermentation, this kettle-soured beer is a mélange of flavors and aromas. With a light ruby hue, subtle raspberry fruit notes greet the nose and fall soft on the palate; tangy, hibiscus-like flavors mingle with the salty tartness of gose to create a uniquely complex and refreshing drinking experience.
- Make It Wit Chu : Belgian-style wheat beer made with grapefruit.
- Passionate Embrace... (Uncomfortable Silence) : Hoppy Saison with passion fruit for Pittsburgh Craft Beer Week 2016. Collaboration with Grist House, East End, and Roundabout.
- Sick Cider : Sick Cider is a rustic beer-cider hybrid made with unfiltered and unpasteurized Fuji apple cider and American 2-row barley malt. The blend of cider and grain-based wort was then fermented entirely with a culture of funky and wild Brettanomyces Bruxellensis yeast, most widely known for helping to create the beautiful Lambic ales of Belgium. Once primary fermentation was completed it was transferred out of stainless tanks and into a variety of oak barrels where it laid to rest for four months to develop character and complexity. Finally, once ready, the beer was then carefully blended to showcase the unique qualities of each barrel and primed with a little more cider before being racked into kegs to naturally carbonate and condition. Sick Cider has complex notes of white grape in the nose with earthy wood, vanilla, and spice contributed by the barrels. Slightly sharp and acetic upon first sip, the flavor is then smoothed out with nuances of fresh pressed cider, lemon zest, musty chardonnay, tannic oak and vanilla.
- Key Lime Pie Berliner : Freshly squeezed key limes, vanilla beans, and just a hint of graham cracker pair perfectly with the tart wheat base beer in our Key Lime Pie Berliner. We colored a bit outside of the lines to recreate our favorite summer dessert, adding over 250 lbs of key limes for the signature citrus character, lactose and vanilla beans for the pie filling, and just a hint of graham cracker for the crust. Tart, creamy, complex, and dangerously drinkable KLPB is the perfect way to kick off the summer!
- Perjury : Double dry-hopped Double IPA, fabricated from a malt bill featuring two-row, pilsner malt and oats, and an intense, fruity hop character forged from heavy doses of Simcoe, Citra and a dash Huell Melon.
- Espresso Oak Aged Yeti Imperial Stout : A generous infusion of Denver's own Pablo's espresso adds yet another layer of complexity to this beer, combining with the vanilla oak character, intense roasty maltiness and bold hop profile to create a whole new breed of mythical creature. It's official: You can now have Yeti with breakfast.
- He'Brew Jewbelation 18 : Our 10th annual tribute to extreme beer: Jewbelation 18 was indeed brewed with 18 malts and 18 hops and finally dropped to a "sessionable" 12.4% abv so we can sell to all our states. This year's monster emerges as a big, big juicy dessert of a beer with rich sweet blasts of chocolate and mocha with layers of dark fruit notes of black cherry, date and fig. More like a port or sherry - hints of what might come from barrel aging - but this year just from the enormous amount of malt, piles of hops and the 8 weeks of fermentation and aging that brought our 18th anniversary creation to life. If your "sessions" include sharing precious ounces of huge beers with good friends and family, grab one now, save one for later, and enjoy!
- Ten Penny Ale Reserve : Ten Penny Ale Reserve the much stronger version of our original Ten Penny recipe. This beer is a dark brown ale, topped by a thick, loose tan head. The smells of roasted grain and toffee are the first things you will notice with your nose when you crack open the bottle. The tasting experience begins with a splash of caramel like flavor on the tongue, but quickly melds into a full bodied roasted-malt taste. As you savor this fine ale you will also encounter subtle hints of chocolate and a smoked-malt essence. After you have finished your bottle you will realize this beer is truly a wonderful merging of high alcohol content and rich full body flavor that will make you want another pint to drink.
- Half Full Bright Ale : Half Full’s gateway beer is a crisp and refreshing Blonde/Pale Ale hybrid that is perfect for any palate. This unfiltered beer has a light body and a citrusy grapefruit aroma, making it sessionable and approachable – the perfect year round offering for whenever you feel like living in the moment.
- Ground Control Imperial Stout : Ground Control boldly combines local and out-of-this-world ingredients. This rich, complex Imperial Stout is brewed with Oregon hazelnuts, star anise and cocoa nibs, and fermented with an Ale yeast that survived a trip to space and back. Mankind will enjoy the sweet finesse of this beer that only fares better with time.
- Easy Jim : Double dry hopped with notes of lychee, passionfruit and melon.
- Cognac/Bourbon-Barrel-Aged Coffee Chocolate Dark Hollow : Dark Hollow that has been racked from bourbon barrels into cognac barrels on top of tart cherry and sweet cherry puree, Ecuadorian cacoa nibs, and coffee beans from Bali that were roasted and ground by Nelson County Trager Brothers coffee.
- Be Still : Brewed with roasted barley and biscuit malts, the structure of Be Still comes from acid produced by Ale Apoth's house lactobacillus as well as acid from brettanomyces and pediococcus activity during 10 months of slow aging in rye whiskey and fresh pinot noir barrels. The rye and wine portions are then blended together and allowed to sit on cascara (the sun-dried exterior fruit of the coffee bean) and cocoa nibs... adding depth and complexity.
- Devil's Chair : Devil's Chair packs a sinister punch of bright, fruity hops and a dry, bitter finish that won't let go!
- Farmer's Reserve #2 : This barrel-aged ale is a celebration of the California autumn harvest. Brewed with heirloom pumpkins from La Tercera Farms in Bodega Bay, crisp Fuyu persimmons from Hamada Farms in the San Joaquin Valley and fresh ginger from the Santa Clara Valley, then aged for over a year in white wine barrels to create a deliciously complex wild ale.
- Rise Up RIS : Our brewers collaborated with the team at Rise Up Coffee Roasters to select and roast a single origin, fair-trade organic Sumatra coffee specifically for this project. This beer is brewed to the strength of an imperial stout with a base of English Marris Otter malt layered with copious amounts of dark malts. The resulting beer was conditioned on more than 25 pounds of coffee lending a rich, espresso-like aroma. Coffee, dark chocolate, and roast characters are prominent in this velvety smooth and darkest of ales.
- Saranac Chocolate Orange : Saranac Chocolate Orange is a limited edition small batch brew from our "High Peaks" series, a line of beers that are bigger, more complex and flavorful. Brewed as a full bodied robust Baltic-style porter with five different hops and four different malts, this beer pushes the porter style to a new level.
- Humleridderne : Brewed in collaboration with our friends at Evil Twin Brewery, this double dry hopped double IPA was brewed with 4 varieties of hop dust: Citra, Simcoe, Mosaic and Cascade. Pours hazy yellow, with thin white head. Dank tropical grapefruit aroma with big fruit punch blast.
- Scratch Beer 35 - 2010 (Fresh Hop Ale) : As the codename implies, the main flavor in Scratch #35 is a 100 pounds of fresh Citra hops. This year’s Oregon hop harvest took place in mid-September and we received the freshest, wettest Citra hops right off the vine. Opening the boxes of fresh hops, we were blown away at the strength and color of this Oregonian green gold. Our hopback was not large enough to accommodate all the hops so we added them to the lauter tun and ran the hot wort through the hops. Pouring a cloudy gold-orange color, Scratch #35 yields an arresting blend of ripe orange and grapefruit aromas with just enough bitterness to balance the sweetness imparted by the honey. Kettle additions of Amarillo and Palisade hops nicely complement the fresh hops. As this beer is a celebration of hops at their freshest, drink this one as soon as possible for maximum enjoyment.
- Clever Girl : Welcome to our next evolution in IPAs. Get set to enjoy an incredibly light bodied, soft and dry American IPA with impressions of tropical citrus and dark berry floral aromas.
- Tableau Rouge : A wild red ale fermented and aged extensively in oak foeder. Bold Brettanomyces character with a brisk acidity. Subtle notes of tart red fruit marry with delicate oak tannins to make this characterful to savor, but approachable enough to have several.
- Pig Pounder / Little Brother - Agent Orange : Pig Pounder and Little Brother brewers teamed up for this kettle soured ale - the first sour beer Pig Pounder has ever released! Locally foraged spicebush enhances notes of citrus, tropical fruit and green tea and concludes with a lightly tart finish.
- Hoppy Happens : An American IPA with a strong Citrus grapefruit flavor that comes from the hops that are used.
- Á Point : Chef's and Brewer's have a lot in common, they love new ingredients, they love to experiment with them, and they love to bring joy into people lives through the use of flavor and aroma. We brewed this beer using toasted rice, wild rice, buckwheat, Indiana sumac, and grains of paradise. Complex yet drinkable, this is the perfect beer for the end of a shift on the line or after a long brew day.
- A Wrinkle In The Fabric! : Another dream beer for hop heads. Around 80ibus, feature two varieties of hops that we’ve recently experimented with: Huell Melon and Mandarina. Both hops offer subtle fruity notes like juicy cantaloupe and tangy orange. Residual malt sweetness matched with the refreshing summer fruit character of the hops makes this an exceptionally drinkable (bordering on crushable), double India Pale Ale.
- Barrio Nut Brown : A huge favorite among light and dark beer fans alike. Brewed with British brown malt, two row premium, crystal and chocolate malts, it is an incredibly smooth ale with toffee and chocolate notes. This brown has a subtle hop character and a slightly sweet finish.
- Whiskey Barrel Aged Imperial Schwarzbier : This is a high gravity interpretation of the classic German style Black Lager. Generous amounts of dehusked German barley were used to give the beers its dark color without adding the roasted or burnt flavors that are typically associated with dark beers. This coupled with lower hopping rates lends to a smooth flavor with a medium body and mildly warming finish After primary fermentation and lagering, this beer spent 17 months in Kentucky Bourbon Whiskey barrels producing subtle oak, vanilla, and boozy flavors.
- FE 10 Anniversary Ale : A truly full-bodied beer. Rich, dark, malty and very complex. Belgian Abbey yeast, dark candi sugar and a huge assortment of specialty malts provide layers of complex aromas and flavors.
- Pullman Porter : This take on the robust style of porter is smooth with a roasted malt flavor lending a pleasant and deep roasted character. A light fruity hop flavor makes its presence but quickly gives way to the dominant blend of English and North American malts. 
- Redrum : Brand new 10% ABV Red Ale, hopped with Belma and Citra this rich yet balanced potent ale is matured on Rum Barrel Chips for additional dark-sweet aromas.
- Summer Shortcake : Summer Shortcake features a blend of sour blonde ales, including a tart and zippy young beer brewed with toasted oats alongside rustic barrel-matured stock from our wild cellar. This blend of young and old was then conditioned on generous amounts of Oregon-grown strawberries and raspberries and matured on vanilla beans, producing a fruity, refreshing sour ale that finishes with a crisp acidity and lingering notes of freshly-picked berries.
- Tanker Truck Series: Passion Fruit Gose : Two Roads is driving a tanker truck down a road less traveled with this Passion Fruit Gose (pronounced GO-sah). This series of unique ales are kettle soured in our very own tanker truck trailer – a former milk tanker like the one on the front label - that's parked right on the grounds of our brewery! Featuring a nose of BIG tropical fruit, the taste is of light wheat and a perfect harmony of tartness and sweet fruit that's mingled with salinity to really bring the flavors to life - this refreshing gose is the perfect accompaniment to any occasion.
- Rufus : Embrace the Funk series Collaboration at Yazoo Brewing Company with New Belgium for Craft Beer Week. A wild sour deep red ale consisting of a Blackberry and Black Currant fruited Wheat beer base from Yazoo 100% fermented with 2 strains of Brettanomyces. Blended with oak aged sour brown ale from New Belgium.
- Fruity Bits Mango Milkshake IPA : With over 500 lbs of mango puree, plus lactose and vanilla, Fruity Bits Mango Milkshake challenges the limits of both fruit and creaminess in an IPA. FBMM is the latest entry in our Fruity Bits series, where we pair our favorite hop varietals with fruit and other fun adjuncts in a uniquely brewed New England-style IPA. For this iteration, we used nearly 6 lbs/bbl of Citra, Amarillo and Idaho 7 hops, which were a perfect complement to the unreasonable amount of mango puree added to the fermenter. As if NE-style IPAs were not already creamy enough, we added lactose and vanilla to contribute even more creaminess, producing a beer reminiscent of a mango milkshake (and if such a thing does not exist, it should).
- Wilmington / Resident Culture / Bond Brothers - Never Enough Hugs : Collab Milkshake Double IPA with raspberries, grapefruits and mangoes.
- Belgian Specialty : A spicy Belgian ale with a dry finish. Exhibits varying amounts of fruity esters. Hop aromas are slight with a fairly light body.
- Pauly Schwarz : A traditional German-style Schwarzbier brewed using all German pilsner and munich malts. Noble hops from the Willamette Valley round out this easy drinking dark lager.
- Two Smoking Bushels : We are pleased to introduce you to Two Smoking Bushels, a 5.5% Apfel Rauchweizen (aka a smoked, German wheat beer conditioned on apples). This unique style is influenced by the rauchbiers of Bamberg, Germany where it has been been brewed for nearly two centuries. This unique and complex beer is distinctive in its smoky flavour imparted by, in our case wheat malt that we've smoked over applewood. To balance out the strong smoky flavours we conditioned this ale on locally picked apples for a subtle tart fruitiness. It's traditional yeast profile lend spicy notes of clove and banana rounding out this creative brew.
- Doppelbock : This dark amber lager beer has a rich, toasted malt character balanced with a slight amount of toffee in the finish. Hop bitterness is rounded off with alcohol warmth.
- Goses Are Red : This is a rosé - and a gose - by any other name. Goses are Red is a stylish match of a funky, crisp and tart gose with the soft sweetness of a rosé wine. The refreshing wheat-based beer begins with some of the qualities you’d expect from a gose, including coriander spicing and a light saltiness to complement the tartness imparted by our house cultures. But the story doesn’t end there - it builds in complexity, thanks to time spent in an oak foeder and the addition of grapes, which impart a refreshing rosé character and color. It’s a charming interpretation that says all the right things, but it’s not as sweet as you.
- White Ghost : Our tartly refreshing, kettle-soured Stone Berliner Weisse gained its orthodox sour and acidic character from a specially selected Lactobacillus strain sourced from local Berlin cultures. To ensure a properly Stone, and therefore iconoclastic, Berliner Weisse, we upped the ABV to a healthy 4.7% and hopped the beer with new German varieties, Huell Melon and Callista. This beer embodies the liveliness of summer with the fruity tang of apricots and the sweetness of ripe honeydew. Versions exist labelled both White Ghost and White Geist
- Lorica Special : Brewed as a collaboration with Jameson Irish Whiskey. A traditional Belgian-style Dubbel, rich and malty, finished in Irish whiskey barrels. A dry finish with hints of whiskey, vanilla, oak and stone fruit.
- Future Perfect : Berliner with Blueberries, Blackberries, and Oak. A delightfully balanced, tart and fruity berliner. Delicately dry hopped with German Tettnang and Huell Melon. Complex yet smashable with flavors of black fruit and spicy oak tannins.
- The Story Of The Gose : This old European style of tart, spiced, salted wheat beer has had a resurgence in popularity in recent years, and Agrarian is excited to release our latest version of the style. The wheat base of this beer incorporates our favorite organic raw wheat, the Red Fife heirloom variety grown by Camas Country Mill. Using our house lactobacillus culture, we soured the wort to a refreshing tart level, reminiscent of lemonade. Next we boiled the wort with coriander grown right here on our farm, and finished with an addition of Oregon sea salt from Netart’s Bay, courtesy of Jacobsen Salt Co. Fermenting with a blend of saison yeasts contributed more citrus fruitiness and a dry finish to allow the wheat to shine through. Complex and refreshing, lemony and wheaty, minerally dry and easy drinking, this ale is best paired with sunshine and a little sweat on your brow!
- La Piccola Virtuosa : Dark saison.
- Beer Geek Wedding : A special blend for Mes & Sim's wedding. Morpheus dark aged on Glenrothes whiskybarrel (70%) blended with Kerasus 2010 (30%). Complex old flemish brown ale, very limited edition.
- Kriek Première : A new farmhouse wild ale. This spontaneous beer is fermented and aged in oak, then refermented in secondary oak tank with a huge amount of whole Northwest grown Morello and Montmorency tart cherries. Bright in color, flavor and texture with a pronounced and complex tart cherry character, this beer is a deft integration of fruit and nuanced base beer.
- KLB Premium Pale Ale : Copper coloured and lightly carbonated, KLB Pale Ale has a complex, fruity bouguet and a full malt body. Pale Ale is balanced with an assertive Fuggels bittering hop that gives it a long, bittersweet finish. This is a true "beer drinker's" beer.
- Northern English Brown Ale : Taking its cues from the ale historically made around the Great Northern coalfields of England in the late 19th and early 20th Centuries, this dark beer features roasted chocolate and coffee flavors alongside deep caramel and toffee notes. Complex, approachable, and the ultimate “food beer,” our Northern English Brown will pair well with the Sonic Reducer, a meaty pizza, or a toasted bread small plate.
- Pulcinella : Hi-Wire Pulcinella Russian Imperial Stout has been aged in various oak barrels, including Napa Valley Zinfandel, Kentucky bourbon, and North Carolina dark rum barrels.
- Stimulus 02 : Imperial Stout with Dark Matter Barrel-Aged Coffee
- Dodeca Hedron : A malty IPA finished with the New Zealand Motueka hop. This particular hop variety imparts floral notes with a hint of tropical fruit. The addition of oats in this batch gives it a full bodied mouth feel. Dry hopped with Mosiac hops. The Dodecahedron (Dough – Deca – He- Dron) may sound like a complicated name, but it is an IPA with a smooth finish.
- Organic Beerline Barleywine Aged In Organic Rye Whiskey Barrels : The Organic Barrel Aged Beer Line Barley Wine marks our most ambitious beer release in 27 years. We held it for 18 months in Catoctin Creek Distilling Company organic rye whiskey barrels, making it the first organic barrel-aged barley wine in the United States. The extended barrel aging imparted an unrivaled taste and complex aroma. Rich vanilla and caramel aromas captivates the nose, while oak, full malt, and toffee flavors captivate the taste buds. The finish is elegant, rich, and warming.
- Parables Of Red : Parables of Red is a Flanders style sour red, aged nearly a year in neutral red wine barrels. We then transferred the beer onto heaps of tart cherries, and local raspberries. Fruity aroma, and strong acidity balances the malty palate of the style.
- Can't Keep Up 25 : A blend of fresh saisons and a melange of aged sour ale with a kiss of strong stout. Brown with ruby highlights, dark candy sugar on the nose with pleasant stone fruit acidity and a tannic grape skin finish.
- Dark And Stormy Ale : A Dark and Stormy night is often a parodied phrase, but in Whistler it can only mean two things; …the snow is coming and enjoying beers by the fire. This unique ale brewed with ginger is the perfect excuse to bundle up and watch the storm roll by.
- Olio : Olio is a fortunate medley of our favorite hops paired with a simple grist of Premium 2-row barley along with imported Vienna malt and malted oats. Big notes of mango and papaya from the use of Galaxy hops along with more pleasant tropical and juicy-fruit depth from dry hop additions of Strata, Citra, and El Dorado.
- Smoke : Ebony-hued, Smoke wafts out of the bottle and into your senses, borne on the wings of European traditions, wrapped in American innovation. Lager-brewed, like any true Baltic Porter, with smoked malts from Bamberg, Germany, the home of Rauchbiers, then mellowed by oak-aging. Black malt flavors mesh with notes of raisins, plums, figs and licorice with the subtle smoke on the side, for a complex and luxurious, yet silky smooth drinking experience. It's a sipper at Alc. 8.2% by VOL., but everyone knows you can't have Smoke without fire!
- Anareta : Sour Ale Aged in Oak on Blueberries. This is the first in a new line of fruited sour ales that we plan to release over the next few months. Anareta was fermented in oak with a house mixed culture and then transferred onto blueberries in a mix of oak puncheons and used bourbon barrels, where it continued to age for a number of months before it was blended and bottled. This new line of beers will incorporate photo-based labels and the photo for Anareta was taken by our brewer, Seth @ffrighttrainz
- J.R.E.A.M. - Blackberry Mango : Fruited Sour Ale with Lactose
- Autumnal Saison Blend : Blended back with 30% wine barrel aged Helsing Junction Farmhouse Ale. A veritable cornucopia of fruit like smells, culminating from aromas of apples, pears, berries, and stone fruit. Tartness is added through the addition of barrel aged beer, sweetness from the caramelized grain, and spiciness from the rye malts.
- Rise : Utilizing Pale Ale malt as the base along with Caramel Malt from Chile, English Roasted Barley, and Dark Chocolate malt, the resulting medium-bodied beer is rich and complex with notes of dark roasted coffee and baker’s chocolate.
- Dweller On The Threshold (Funk Factory Geuzeria Collaboration) : Blended American Sour. O'so Brewing presents Funk Factory's inaugural blend: Dweller on the Threshold. Averaging 18 months, this is a blend of sour beer which has fermented and matured in French oak wine barrels. It was then bottle conditioned and will continue to mature in the bottle for up to 10 years if kept dark and cool. Enjoy this sour, wild and of course funky beer!
- Kuhnhenn Stollen Christmas Ale : This Christmas Ale is spicy, slightly sweet, and super fruity. It is like drinking Stollen roll bread.
- Porter : A legend in the high country, this unique porter is overflowing with refreshing malt aromas and has a creamy, persistent, tan head. Delve deeper and you will find a perfect balance between traditional English hops and the complex malt flavors, finishing with a smooth balance between chocolate and coffee. 
- Winter Warmer : Strong, malty ale brewed with a touch of light and dark crystal, chocolate and pale malts. Hopped & dry-hopped with Citra, combining the color and flavor of an old ale, with the flavor and aroma of an imperial I.P.A.
- In The Bluff : In the Bluff Berliner Weisse is a low ABV sour German wheat beer. "Weisse" translates to "white," and this style is probably closer to a Belgian wit (e.g., Allagash White, Blue Moon) than to the average banana-y hefeweizen. To make this beer, we took the standard wheat beer malt base and added a souring bacteria (lactobacillus). From there, we forged our own path. We fermented In the Bluff with a farmhouse ale yeast, imparting fruity and spicy character to the beer. Then we lightly dry hopped it with Equinox and Cascade hops. The resulting beer boasts a tropical aroma of papaya, lime, and green pepper and drinks with a refreshing lemony tartness with a hint of salt. To put it simply, our Berliner Weisse is a beer drinker's Gatorade. It's summer and there's no better time to get In the Bluff. Limited availability. 
- Janitor Jackalope : Sour Spring Ale brewed with 50% wheat. Enjoy it straight for a tart and refreshing experience, or with our house-made grapefruit/sorrel/tarragon syrup (sorrel & tarragon came from our main man Tom Culton) for a mind bending freak out experience.
- Fat Tuesday : This beer is alternately called March Forth Beer (credit to Steven Turpin of IPR) because I brewed it on Fat Tuesday. This is an experimental beer that used locally grown Nugget hops from GW Hops and Honey and were grown right here in Muncie. It is 4.7% ABV and has very caramel notes in the malt character. This beer was also an experiment with the Zythos hops so those citrus/tropical fruit flavors are also present. A clean, easy drinking beer.
- Spider Bite : Dark yet light bodied with a snappy hop bite from Columbus, Bravo, Cascade and Simcoe hops plus a touch of black pepper.
- Resonance Saison : Bright, rustic and complex, Resonance is an elegant new take on the classic saison style. A blend of two fermentations -- one dry and earthy, one tart -- creates juicy citrus notes, balanced by subtle spice and an effervescent finish. This beer is dynamic, melodic and pleasantly surprising on the palate, a simple luxury welcome at any dinner party.
- Rio Grande IPA : A complex, layered hop mixture makes this a well rounded IPA with strong grapefruit and pine flavors with a hint of pepper. This beer has great head retention and strong hop aroma.
- Gilded Age Dark : Cabernet Sauvignon Barrel Aged Belgian Strong Dark Ale
- Tony Bag O' Donuts : Sour saison with passion fruit. Collaboration with LIC beer project.
- Cheakamus Chai-Maple Ale : A mild ale with all the freshness of maple syrup – and a little bit of springtime spice for good measure. This dark bronze ale is made with real maple syrup, added right to the mash. Then, a trace of chai tea is added during the filtration process. The result is a highly complex, mildly spicy palette structure. One taste, and a simple truth is clear: complexity can be a very beautiful thing.
- Dark Illusions: Volume 1 : Volume I introduces a kettle sour ale of the finest malts married with a classic American Dark Ale and powered with cinnamon, coffee and cherry.
- Jukebox-Hero : Our black IPA is bursting with crisp, clean bitterness and layers of wonderful American hop character. Pale Ale, Munich and Naked Golden Oats give a toasty malt backbone with a smooth mouthfeel. The dark ominous color comes from the Chocolate Malt and the de-husked highly roasted malt. We want the layers of hops to shine against this roasty malt backdrop. Warrior, Citra, Chinook, Centennial and Amarillo lend bitterness as well as a wonderful cornucopia of aromas and flavors of fresh citrus fruit, pine, fresh cut mint and fresh flowers they offer.
- Café Samson : A strong dark beer, with nods towards the imperial stout style, but run through our coolship. Aged in American oak barrels, then infused with Bali Blue Moon coffee beans from Sleepy Monk Coffee Roasters.
- Belgian Brown : This is a dark brown ale balanced but not hoppy. It leans more to the malty side and has a dry fruity finish with peppery and spicy notes.
- Ouro Preto : Brewed in collaboration with award-winning home brewer Matt Kennedy, Ouro Preto (Portuguese for Black Gold) is a traditional German black beer made with noble hops and dark roasted, dehusked barley lending a mild roasted flavor. Slightly lighter in color than style traditions dictate, this refreshing sessionable lager was brewed for that time of year when long summer days give way to dark winter nights.
- Double Shot : Our rich, decadent coffee stout. This one's soft cocoa flavors open up to reveal a richly complex treat. We taste flavors of chocolate cake, "coffee candy", milk chocolate, with heaps of vanilla. A pungent & distinct coffee stout for sure! A rich, sweet, and less roasty base beer contributes the ideal backdrop to this bold and vibrant treat for the coffee and beer lover alike!
- Ursa Minor : Dark as squid ink and moody as the sea, Ursa Minor is our take on a winter wheat beer. Starting with a German wheat-beer yeast and a base of malted wheat, we added a blend of dark crystal and roasted malts to create a wheat stout. Redolent of dark fruit, weizen yeast esters, and roasted barley, Ursa Minor is perfect for an icy winter’s eve.
- Passion Fruit Sour : Envision standing on a beach, slicing a fresh passion fruit, watching the waves roll in. That's how our passion fruit sour will make you feel. Aptly nicknamed "a vacation in a bottle," we blend in passion fruit with a variety of house yeast strains during its 18 months of aging in oak barrels to develop a refreshing, tropical sour ale balanced with just the right amount of unique barrel notes.
- Yorkshire Porter : Queen City Brewery’s interpretation of this classic English dark ale is rich, full-bodied, and well-balanced with an unparalleled smoothness, an understated hop bitterness, and a malt profile that accentuates the chocolate and coffee-like character. (ABV 5.0% IBU 36) - Porter
- Sun Charged Golden Ale : Sun Charged is our first beer made with Solar Power. It is a light golden sun color ale with a subtle fruitiness and delicate hop aroma. A smooth, easy drinking refreshing ale. The lightly roasted aromatic malt contributes to the golden hue of this beer and also gives a slight sweetness that is balanced out by our special blend of hops.
- McHugh's Oatmeal Stout : When Tamara McHugh married Plan B partner Mark Gillis, she took his last name on one condition - if ever a brewery was opened, a beer would proudly carry the McHugh name. The doors opened and as promised, McHugh's Oatmeal Stout, in all her smooth, full bodied glory was released. Using generous amounts of chocolate malt and rolled oats, this creamy stout is mildly sweet with complex chocolate and caramel flavours.
- Unwerthy Original : A dark cream ale infused with 50 lbs of toasted coconut and 10 lbs of cocoa.
- Tango : Tango is a big, bold, Belgian-style dark ale brewed with 1,200 pounds of cherries!
- American IPA : An Anglo-style beer of amber hue, featuring the distinctive fruity, resinous aroma typical of the North-American hops varieties used during the various boiling stages as well as in dry-hopping. Its strong bitter flavor, balanced by a slightly malted body, doesn’t betray its crisp, fresh taste to the palate.
- Area 151 : Area 151 (named for our location on Highway 151), is a rotating Belgian Style Ale fermented with fruit. This beer rotates between three fruits, each one imparting its own flavor to the same base style beer. We filter 151 prior to packaging to add a crispness and to help bring the fruit forward. Here at Wild Wolf, we think BEER first, fruit second.
- Whīt Sour Ale : This sour ale was aged in oak barrels for 1 year with red and white cranberries, giving it a subtle, yet complex fruitiness and a dry, tart finish.
- Geary's Cooledge Oatmeal Stout : This oatmeal stout includes oatmeal in the grist, resulting in a pleasant, full flavor and a smooth profile that is rich without being grainy. The color is dark brown and the roasted malt character is caramel and chocolate-like — smooth and not bitter. Coffee, chocolate and nut aromas are prominent.
- Astarte : In documented mythology the creation of strawberries is attributed to the ancient Goddess Astarte, more commonly known by her Greek name Aphrodite. Legend says that upon the death of the mortal Adonis that the Goddess wept with such passion that her tears fell to the ground as small red hearts. We started with a traditional Cream Ale, light and crisp with a great mouthfeel...Then we added fresh strawberries to give it an incredible nose, and slight tart finish. With just the right amount of fruit to make it noticeable but not overpowering, this spring/summer seasonal is a perfect offering to the celestial mother of love.
- The Tortoise And The Birds : Double IPA Saison. We brewed this beer with the good people from Hidden River Brewing. Hopped heavily, like a double IPA, with Cashmere, Vic Secret, Nelson Sauvin, Mosaic, and Simcoe ; but fermented with our foraged yeast. Oh, and a lot of local honey as well. Big fruit aromas of berries and peaches that sat on a counter a day too long, white peppery alcohol, marihuana azalea bushes, and roses. 
- Norweald Stout : Malty American Stout. Norweald covers the spread of dark malt flavors perfectly. Dark chocolate, charcoal, smoke, burnt toffee, cream, and caramel. Intense maltiness is balanced by roasted malts and just enough hops to taste.
- Redheaded Bluebelly : A blend of Ladyface's Blue-Belly Barleywine and Caffe Luxxe's Testa Rossa espresso marry perfectly to create a well balanced brew, allowing the toffee malt character of the beer and the woody, dark chocolate characteristics of the coffee to sing out. Used a cold-brewing process to extract the flavor of the coffee before blending.
- The Planet Of Doom : Dark Belgian Abbey Ale brewed with caramelized dates, local ancho chiles, local cocoa nibs, vanilla bean, nutmeg, and Counter Culture Coffee.
- Suffering Soul : Golden mixed culture with ginger, grapefruit, lime, and black pepper
- Curiosity Fifteen : Our burst of Curiosity is showing no signs of slowing down..! Primarily featuring a massive dose of Columbus hops, with complimentary additions of Amarillo and Mosaic, Fifteen pours a brilliant hazy orange in the glass with a dense, creamy, and aromatic head. We experience flavors and aromas of intense red grapefruit, pungent tropical fruit, and dank herbs. The finish is dry yet soft, encouraging your palate to want more. A bit of a trouble maker, this one. . . !
- Iconoclast : An American IPA made with our old friend Brett(anomyces). Hoppy, fruity, bitter and a funk that can only be brought on by a wild yeast.
- I See The Vision - Pink Guava : I See the Vision is our Fruit IPA Series with rotating fruits. This variant is brewed with Pink Guava. Tropical flavors and aromas abound. Citra and Mosaic hops.
- Sticker Fight : An occasionally released Double IPA, Sticker Fight is the big tropical fruity, juicy fruit, mango laden friend, you’ve always desired. The body is crisp, with just enough sweetness to counter the onslaught of aromatic and flavorful hops. Supremely satisfying, utterly demanded by fans.
- Månens Pale Ale : Created and brewed exclusively for the Stockholm restaurant Man in the Moon. The recipe includes a small amount of grapefruit peels.
- Pecan Nut Brown Ale : A stunningly smooth, nutty ale with a hint of caramel, orange, and floral aromas.
- Carobock : We were inspired to creat our own iteration of a Bavarian-style Weizenbock, a style known for being rich & malty with notes of chocolate, bananas & toasted malt. Ours was styled to be a play on a 'chocolate covered banana', so we selected toasted carob pods to provide intense, earthy chocoalte flavors & rounded out by aging on Madagascar vanilla beans. Brewd with malted wheat, dark Munich malt & chocolate wheat & fermented with a traditional weizen yeast to boost teh banana & spice notes that typify the style.
- Collective Project: Imperial IPA :  Fruity, bitter hops, berry, mango, peach; a wonderful interplay between the earthy bitterness, the nuanced fruity berry character, and the piney funky tropical depth. The resinous character of the hops shows through in a tongue-coating mouth feel. You’ll really feel saturated by all the hops. Delicious.
- Bourbon-Barrel Old Confustible : A rich, amber, English-style beer with notable dark fruit/caramel/toffee character. An ale of deceptive strength, having mellowed considerably during an extended period of conditioning. Several months of aging in a Weller Antique bourbon barrel has added additional whiskey notes and has further accentuated the dark fruit character of the original beer.
- Central Square : A 100% Brettanomyces fermented peach Berliner. Tart, fruity, ultra refreshing. 
- Plan B : Sour Mash Belgian Dark Ale with Black Currants (Brewed in Collaboration with Half Acre).
- #39 Vic Secret Pale Ale : Citrus pith, fruity, spicy.
- Mosaicus : An IPA showcasing the berry, fruity, and floral aroma and flavors of Mosaic hops.
- Four Knots : This Extra Pale Ale is twice dry hopped and packed with plenty of Citra goodness. The fruit forward citrus aroma is first to hit your senses, followed by a palate-pleasing sweetness and a clean satisfying finish. Melanoidn malt compliments this beer beautifully by adding a note of biscuit for a delightfully fresh flavor. 
- Excelsior Anniversary Series - 17 : Our Anniversary 17 is a hybrid between a Wheat ale and an India Pale Ale. The vision was to create something that had a round bitterness, a dry finish, but a nice wheat sweetness. The aroma is straight up spicy and citrusy like pink peppercorn and oranges. This beer is bottle conditioned with a brettanomyces yeast strain so it will evolve over time and add more complexity to an already unique brew.
- Belle Meade Bourbon Barrel Aged Deep Space W/ Coffee & Vanilla : Deep Space is a huge imperial stout which was made with all sorts of roasted and caramelized malts, giving it deep flavors of espresso, dark chocolate, and smoked currants. This version aged in Belle Meade Bourbon Barrels with coffee & vanilla
- Pallet Jack Cruiser : Super easygoing and drinkable. At 4.5% you can cruise with this beer all day and still keep your flavor loving palate satisfied. Azacca and Citra hops provide a huge tropical fruit and citrus profile to this unfiltered beer.
- The Next Episode - Double Dry-Hopped : Pours hazy pale orange. Aromas of tropical dank fruit, full bodied with slight bitter finish. brewed with English pale ale malt, Vienna and Wheat. American Ale yeast and hopped with Citra, Galaxy & Cascade. Double dry-hopped with Citra Lupulin Dust.
- Brune-Shakalaka : Belgian Brune brewed with house made dark candi syrup and tamarind. Belgian pilsner, Special B, Aromatic, Biscuit and Crystal Malts, Noble Hops and Abbey Ale Yeast.
- 3C IPA : Packed full of hop flavor with a lighter malt body, this American IPA showcases Citra, Centennial and Chinook hops. Citrus, Grapefruit and Passionfruit dominate the nose and tongue in this hop bomb. Brewed on a limited basis because of short supply of it's namesake hops.
- Sidehill Sour Passion Project : Sweet tropical flavors from a plump amount of passion fruit and a little bit of plums added during fermentation
- Barley Ridge Nut Brown Ale : This nutty, malty American-style brown ale is brewed with Montana grown and malted barley. Smooth, rich and full of flavor. Crafted to remove gluten.
- Nit Wit : Walk through our brewery when we brew this beer, and you'd think we were a perfume manufacturer, but no need to wear what we make when you can drink it. This Belgian-style White or 'Wit' Ale: very pale in color, spiced with coriander, chamomile, lavender and orange peel, phenolic spiciness, fruity esters & mild acidity from wit yeast. It is unfiltered and has a nearly opaque/whitish haze appearance, low Noble hop bitterness and flavor and low-medium body.
- Cherry Vanilla Frappe IPA : Our frappe series continues with the inclusion of lactose and the addition of fruit, but this time we added vanilla too! For this batch we threw Mosaic in the whirlpool, then dry-hopped it with Citra, Ekuanot, and El Dorado. 160 lbs of natural tart cherries colors this beer a stunning peachy haze. A touch sweet, a touch sour, abundantly juicy, with a soft, full-bodied mouthfeel. Holy Frappe!!!
- Hyperborea : Nordic-inspired farmhouse ale. Medium-bodied with notes of juicy stone fruit and a touch of lingering smoke.
- Blueberry Soak : Soak: our line of sour wheat ales, aged in oak, featuring a variety of single fruit additions. We place a base brew crafted with 60% wheat grist in 600L oak puncheons for 3 months with fermentation duties shared gracefully between lactobacillus and our Native New England mixed culture. Loosely inspired by the cold-maceration process used in winemaking, we blend fruit directly into the barrels to “soak” for enhanced extraction of unique colors, aromatics, and flavors. Delightfully acidic, but not funky, our Soak series is an approachable sequence of wild offerings that we are proud to share. Blueberry Soak is intensely tart, balanced by a mild oak character and a bone dry finish. Bright fruit and rose flavors permeate the palate.
- Ginger And Mary Shand : Here’s a refreshing change: you’re the hand that blends the beer. In this new concept designed by John Caropino, who won the silent auction item at our 8th Anniversary Festival to brew with us, you get to make your own Belgian-style shandy / radler. In one glass is a hoppy Belgian strong ale, featuring Vic Secret, Mandarina Bavaria and Cascade hops for some bitter, citrus and fruity notes to compliment what’s in the other glass: the soda component for blending. This [even more] bubbly concoction features fresh ginger, lime and coriander. We like to blend it in equal parts: half ale, half soda. You get to blend to taste. Whatever you do, it’s entirely awesome and refreshing. Cheers!
- Galbraith Series #1 - Cedar Dust IPA : Brewed with five varieties of big hops, all bred and grown in WA state, Cedar Dust IPA has a distinctive herbal pine, citrus aroma. The addition of Mosaic hops, provide subtle blueberry undertones followed by a spicy, earth mouthfeel. Smooth and naturally carbonated, it has a unique blend of malts (including a secret dark malts!) which provide just enough backbone to balance it’s big hop character. Complex, delicious and refreshing! As they say, a bit of wood makes a big difference.
- Nefarious Nectar : Light in color and medium-bodied, but complex in flavor. Unique Belgian yeast imparts notes of white pepper, spice and sweet stone fruits.
- Mr. George's Ruby Porter : Same as their "Dark Lord" but renamed due to legal reasons.
- Mayhem - Belgian-Style Double IPA : Chaotic yet hypnotic, Mayhem is a deliberate Double IPA, brewed and conditioned with a special Belgian yeast that contributes complexity and spice. Abundant American hops offer grapefruit, pine, must and mint, which play off the fullness and sweetness of pale malts then provide a biting yet enticing finish.
- K Is For Kriek : “B” is for “Brooklyn.” We all learned that in school, yes? But “B” is also for “Belgium”. And when our brewmaster first visited Belgium in 1984, he learned that “K” is for “Kriek”. “Kriek” means “cherry” in Belgian Flanders, where for centuries Kriek beers have been made by adding cherries to lambics and other sour beers. Here in Brooklyn, we based our distinctly American take on Kriek on our dark abbey ale, the estimable Local 2. To this beer’s subtle marriage of malts, dark candi sugar, local wildflower honey and zing of orange peel, we added tart dried whole Montmorency cherries from Michigan. Around this, we wrapped a barrel of charred American bourbon oak. The sugar of the cherries began to ferment away. The barrels hissed. And we waited.
- Oumou : People often talk of the silk road between Asia and Europe, but the southern sea route took traders all the way down the east coast of Africa. From the great African continent we bring you Oumou. Traditionally a pineapple and ginger ‘beer’, our take on this brew is a zesty and refreshing pilsner with pronounced gingerol punch layered with pineapple fruit sweetness and aroma.
- Java Joule : A rich, complex coffee stout with local coffee.
- Shellfish Warning : Full of flavor.. dark notes of roasted malt, chocolate and a hoppy finish indulge every ounce. Brewed with fresh Carteret County oysters.
- Grapefruit Table : A table sour fermented with brettanomyces and lactic acid bacteria in an oak puncheon aged on grapefruit zest and juice and re-fermented in the bottle with brettanomyces.
- Tourmaline Black Ale : Features malt flavors as dark as night while inviting a bright, balanced hop bitterness akin more to a pale ale. Named after the black crystal often found near the Arkansas headwaters and dry hopped with El Dorado & Amarillo.
- Regal Pilsner : A double Pilsner with distinct hoppy attributes and a pronounced malty backbone. It is strong in character and steadfast in its resolve to provide maximum drinking pleasure. All hail our Brewmaster and the fruits of his labor, Regal Pilsner!
- Dubbel : Dubbel is rich brown ale that is complex in flavor with notes of chocolate & caramel. High in alcohol and body, your nose will pick up plum & raisin
- Waiting Out In the Rain : Here in New England we’ve dealt with the drizzles - we’ve submitted to the storms. We’ve even created a style of beer to help us through it. This NEIPA strikes a balance between wheat and oats, giving it a full body without being overly sweet. Sip slowly and savor each passing note of passion fruit, citrus, and pine. After all, we’re all just waiting for the next storm to pass, aren’t we?
- Grape Lakes American Wheat Ale : Brewed to be light in color with a small addition of NY Concord Grape juice, which imparts a rose like color and a balanced fruit flavor and aroma. Fermented with ale yeast for a clean fermentation profile. 
- Apteryx IPA : From the land of the kiwi comes this fruity IPA. Apteryx prominently features Nelson Sauvin hops, famous for their stamp of tropical fruit flavours and aromas of freshly crushed grapes. Fill a handle and shout one to your mate. This IPA is sweet as.
- Space Train : They legally wouldn't let us open a brewery unless we brewed an IPA. Five varieties of American hops give this session-ish IPA a fruity aroma and balanced bitterness.
- Mister Tea : Mister Tea is a blend of golden sour beers aged in oak barrels with Jade Needle white tea. This 2 oak barrel blend was infused with a little over 4 and a half pounds of tea for over an hour, however, the notes derived from the tea are quite restrained and blend in with the base beer seamlessly. Showcasing aromas of jasmine and hay with fruity notes of peach and mandarin, Mister Tea is easy drinking.
- Backpacker Brown : Our taste for dark, malty beers and hop-forward beers join together in Backpacker Brown, a hoppy, Northwestern-style brown ale that highlights the best of both worlds. Dark malts give it a rich, robust mouthfeel and a toasty, caramel-like aroma, with a generous dose of Northwestern hops providing a tasty balance of resiny and citrus hop flavors. A beer for hikes, trails or wherever you may roam.
- Brown Noser Brown Ale : Rich, deep copper brown with a slight haze & light tan head. Sweet caramel malt, dark fruit & raisin on the nose. Smooth, light mouthfeel. Slight coffee & faint hop bitterness.
- Malt Monsters: Wallace, Wee Heavy : The first of the Malt Monster Series to be released, Wallace, WeeHeavy is an intense, malty brew that put our system to the test. A six hour boil gives a deep rich caramel complexity with a slight nuttiness and hints of roast, complimented with a clean, smooth, warming quality that provides exceptional balance.
- Saison-Ale : French for “season,” Saisons were traditionally brewed in Belgian farmhouses in autumn to be consumed in the late summer during the harvest. Our version of this classic Belgian ale is pale gold, with a fruity and peppery aroma from the Saison yeast strain. Light bodied and crisp on the palate with a very dry finish that makes this the perfect beer for hot weather!
- Duplex : A blend of aged dark beer, which spent 12 months in a barrel, and light brett beer, which spent 10 months in a foudre. Finished on dry-hops. 
- Griffin's Bow : From the aroma and notes of sweet honeysuckle, pineapple, and grapefruit, to richer hints of burnt sugar, and toffee, this intriguing brew is full of complex flavors. The distinct character of toasted oak adds depth and contrasts the light fruit sweetness. This unique take on a barley wine ale surprises with its smoothness and balance of fruit, hop citrus, and warmth.
- Miscommunication : New England style Farmhouse IPA with an earthy, citrus aroma leading to notes of Meyer lemon, tropical fruit, and dew covered pine needles. Underlying spiced, peppery, and funky characteristics that contribute to a dry finish with lingering bitterness.
- Seven Card Stud : An ultra-complex hop profile is highlighted by papaya and tropical fruit with a slight peppercorn spiciness in this Imperial IPA. Seven Card Stud is well-balanced and its strong alcohol quality blends nicely with the hops. Deep toffee notes are accompanies by clean floral aromatics. This beer will give you the courage to ante up for another hand.
- Petit Blond : This pale ale is a lighter version of our Belgian blond, having been fermented with the same yeast strain, but given an American hop twist to provide additional grapefruit, floral and spicy notes to the flavour and aroma. It has been dry-hopped with Cascade and Crystal hops giving it that familiar hop character we so often crave and find in the finest of IPAs.
- Bayside Blonde : The first release from the Assawoman Bay Brewing Company. Bayside Blonde is a pale ale that balances light malt notes with refreshing hop bitterness. Look for hints of sage and tropical fruit like pineapple, cucumber and mint.
- Yakima Glory : According to the brewery's website: "A dark IPA".
- Thirst Light : This golden 3.4% bitter has been inspired by our very popular Spring beer Thirst Blossom and a growing demand for lower strength beers. We use New Zealand hops which give a beautiful fruity flavour and aroma.
- Red Racer Winter Ale : Big, malty, and brewed to keep you warm through the long dark days of a west coast winter. This complex amber ale has vanilla and maple syrup undertones, with a warm, spicy finish. Best enjoyed when only partially chilled.
- Some Beach Brown Ale : This beer is dark amber, brown in color. Nutty aromas with caramel and toffee and mild bitterness. Flavors match the nose along with a mild chocolate. Brown sugar sweetness with balancing bitterness. Malty character but light in body with crisp carbonation. 5.5% ABV, 23 IBU
- Wild West Coast IPA : If you like hoppy beers, this ale is for you! Reminiscent of the hop forward beers from the west coast, this IPA holds its own. 2 Row and Vienna malts provide the stability needed to add copious amounts of Simcoe and Citra hops. Grapefruit and citrusy flavors will punish your tongue with every sip.
- Catherine's Wood : Catherine II, the 18th century Empress of Russia, is said to have been the inspiration behind the creation of the Imperial Russian Stout, an intensely flavored, robust, dark ale with a noticeable alcohol presence.
- Dead Rabbits Irish Extra Stout : Our dry, roasty, bitter chocolate-like stout, fronting an espresso like flavor with boldness and smoothness for anyone loving the dark side.
- Cold Spice Habañero Rye : We've layered the spice of Rye malt, peppery-spicy aromas from Saaz-type hops, and an infusion of habañero peppers for a building, lingering intensity. A tea is made out of the seeds, along with a little bit of skin - about 1/8 lb per keg. Bearing even a slight strawberry fruitiness, this kicker manages to balance the heat with the sweet.
- Invisible Hand: Amarillo : Our Brettanomyces Table Beer dry hopped with Amarillo. Notes of lemon/lime zest and black pepper backed up by a medley of tropical fruits.
- Coffee Stout (Brewmaster Series) : Long Trail Coffee Stout is made in cooperation with the Vermont Coffee Company using 100% certified fair trade, organic coffee. Brewed with their freshest, Dark Roast coffee, Long Trail Coffee Stout offers a rich coffee flavor complemented by a beautifully full head.
- Projector Readymade : This Imperial IPA projects an array of multidimensional hop flavor and aroma. Simcoe offers piney fruit while Centennial delivers a squeeze of lemon atop bright the tangerine citrus of Galaxy, laid upon a field of grassy Sterling.. and then some hippie comes by with a dank bag of Columbus.. This heady combination is backed by an extremely lean malt body thanks to the addition of flaked rice.
- Tropical Torpedo Tropical IPA : Inspired by island life, we created an IPA completely disconnected from the mainland. We used our one-of-a-kind Hop Torpedo to deliver an intense rush of hop flavor and the lush aromas of mango, papaya, and passionfruit with every sip. Enjoy our tropical twist on the American IPA.
- Trebuchet : Part of our Ingenuity Series of Barrel-aged Inventions, Trébuchet® was created with Ladyface’s Chaparral Saison brewed with honey from bees foraging on the local mountain sage scrub habitat. Aging in California Sauvignon Blanc barrels with Lactobacillus for over a year, created a complex sour character with integrated honey, green apple and tannin. This golden-hued farmhouse ale finishes very dry, lingers long with classic Belgian yeast character, and shows homage to the French-Belgian brewing heritage and its traditional fermentation techniques.
- Freak Parade : We packed this beast with an absurd amount of Vic Secret, El Dorado, and Mosaic hops and the result is a juicy citrus, melon, and stone fruit burst of pure radness wrapped in a pillowy soft bundle of awesome.
- Hoppy American Wheat (Brewhouse Rarities) : The experimental doesn’t always require using obscure ingredients or unearthing ancient beer styles. For our Hoppy American Wheat Ale, the goal was to develop a wheat beer that was not dominated by the yeast strain. Instead, this refreshing, late summer release has dominant tropical fruit hops notes of mango, papaya, and pineapple alongside the creamy wheat character we all know and love.
- Belgian Blonde Ale : Our Belgian Style Blonde Ale is brewed with Montana 2-row malted barley, white wheat malt, flaked wheat, a variety of crystal malts, and Willamette hops. This beer owes its unique flavor and aroma primarily to the yeast strain. It has a malty sweetness under the layers of Belgian complexity.
- Airdale Dark And Stormy : Airdale Dark & Stormy, is an American Imperial Stout. This beer starts with a pleasant aroma of coffee and cocoa. A gourmet flavor of bittersweet chocolate surrounds the tastebuds and melds with the full-bodied beer to make this sensation last and last. Not too dry, not too sweet, Dark & Stormy blends the two into a wonderful semi-sweet taste. The high alcohol imparts a comfortable warming feel, but is perfectly balanced with the flavors and aromas. A nice coffee bitterness lingers on the finish, enticing you to take another sip.
- Brooklyn Local 2 : Here in Brooklyn we’ve combined European malt and hops, Belgian dark sugar, and raw wildflower honey from a New York family farm to create Brooklyn Local 2. Our special Belgian yeast adds hints of spice to the dark fruit, caramel, and chocolate flavors. After 100% bottle re-fermentation, the beer reveals a marvelous dry complexity, enjoyable by itself or at the dinner table.
- Dorfbier : The Dunkel style is what many refer to as the original beer of Munich and the surrounding countryside and villages (Dorf in German) of Bavaria. This everyday beer ranges in color from amber to dark brown, depending on the amount of Munich and roasted malts used. Ours is a deep reddish brown with a rich malty flavor. The sweetness of the malt is balanced by the use of another Bavarian friend…the Hallertau hop…in this specific case Hersbrucker grown near Wolnzach, Hallertau.
- Quads & Rockers : This extra-strong Belgian-inspired ale is dark and full-bodied. Expect rich, malty and bold flavours, with noticeable alcohol warmth. Quads & Rockers is tailor-made for beer drinkers with an eye for style and a taste for tradition.
- Red Rock Black Bier : German style dark lager, very smooth, medium body, low hop bitterness. Eight different malts and thirty-five days of lagering give this classic Schwarz-style beer it’s unusually dark color and remarkably smooth flavor. Not a big beer, but more of a black session lager. Prost!
- Oude Tart - Boysenberries : Oude Tart is a Flemish-Style Red Ale aged in red wine barrels for up to 18 months. This version has had boysenberries added for the final stages of barrel-aging. In fact, there are over two gallons of boysenberry purée per barrel. The final compilation is pleasantly sour with hints of leather, dark fruit, tart boysenberries and toasty oak. While the Flemish-style red ale is one of the more classic beer styles that we make, it's not a style that you can find too often in the United States. Originating in style from the Flanders region of Belgium, near the French border, this dark, sour ale has roots deep in brewing history and predates most of the ales that have become popular in contemporary culture. We're doing our best to keep the tradition alive by brewing and aging this beer here on the west coast.
- Dark Strong Ale - Rum Barrel-Aged : A complex, malty strong Belgian ale with notes of caramel, raisin and dried fruit. Warming alcohol is balanced by malt sweetness and a hint of spice from the Abbey Ale yeast strain. Aged on raisins in a single rum barrel for a truly limited, one-of-a-kind, holiday ale.
- Berkshire Black IPA (Brewer's Series) : The first in our Brewer's IPA Series is a Black IPA, showing off with an impressive 70 IBUs. A special mashing technique is used to extract the dark color of the black malt without imparting any of the roasted flavors that typically come with it. The backbone for this India Black Ale is an aggressive addition of American grown "superalpha" bittering hops. Later hop additions in the boil give this beer its unique aromatic properties. Seven days of conditioning on an absurd amount of dry hops add to the powerful floral, grassy, and grapefruit mix that dances back and forth for your senses to enjoy until the very last drop makes its way from your glass.
- Barleywine : Are you looking for something different this holiday season? We’ve got just the beer: Ardent’s first Barleywine has arrived! This beer clocks in at 12.1% ABV and is a malt-forward, full-bodied giant. Featuring a malty sweetness and dark stonefruit notes, this traditional English Barleywine pours a deep copper color with rich aroma.
- Whammy : This IPA dive bombs into lupulin glory with smooth and balanced tropical and stone fruit hops aplenty. And pitch shifts with some good ‘ol signature SingleCut dank weed to further bend your palate.
- Schlafly Grapefruit IPA : Fresh grapefruit purée and American Citra hops create a brisk, approachable IPA with layers of refreshingly tart aromas.
- Naughty (list) By Nature : Our Christmas is so naughty, it’s nice… A Dark Amber Ale brewed with fresh ginger and a handful of spices that go in to making a traditional gingerbread man.
- Tartastic Lemon Ginger Sour : Brace yourself for a refreshingly tart snap. Tartastic's lacto sour profile and fruity, spicy undertones enliven the taste buds with each bright, sessionable sip. A refreshing sour ale with the lip-tingling sweet and sour flavors of juicy lemon and ginger.
- Oatsplosion : Brewed with an absurd amount of flaked oats and an equally silly amount of Citra and Mosaic hops, this IPA is bursting with juicy fruit flavors and a silky smooth texture.
- Oak Aged Cherry Quad : Dark Belgian-style ale aged in oak barrels with cherries and Brettanomyces. Funky, fruity and rich.
- Torrential Downpour : A hazy IPA brewed with lactose sugar, giving it a creamy smooth mouthfeel coupled with Citrus and El Dorado hops. A heady addition of strawberry purée makes this a fruit forward beer with a smooth finish.
- Bourbon Aged JMB Chocolate Stout : Brewed with 6 varieties of malted barley that results in a silky smooth, yet complex beer. 
- Rye Porter : This brew is our Baltic Porter with 20% of the base malt as rye malt. The roasted and dark malts tend to stand out a little more as the rye lightens the malt profile. A tasty dark brew for the Porter and dark beer fan. Hopping is low at 15 IBU's, using UK Admiral hops for bittering only. Ringwood yeast was used for fermentation.
- Fun Sponge : Bright citrus, melon American hop character with a light malt sweetness and notes of spiced stone fruit.
- Ariana Motueka Experimental IPA : The next in our juicy, hazy, small batch series of Experimental India Pale Ales. Dry-hopped with citrusy, zesty Motueka and pleasing, fruity Ariana.
- Tusk & Grain Brandy Barrel Aged Coffee Porter : This beer is one part of the duality that comprises our feature on coffee beer. We layered fruit notes on fruit notes, aging our imperial porter in brandy barrels and adding Kenyan "karagoto" coffee from Bird Rock Coffee Roasters. Vanilla, chocolate, blackberry, and black currant aromas explode, leaving a multi-faceted beer setting itself apart from the coffee beer paradigm. Complex, yet smooth on the finish, let this coffee beer wow you with its richness and be the nightcap you're looking for.
- TRILLBOMB! : For this collaboration, we took the grain bill for Trillium's Night & Day and combined it with the flavor sugar and spice additions from Prairie's BOMB! to create TrillBOMB! Brewed with cacao, coffee, Ancho chilis, and vanilla, TrillBOMB! has an intense dark chocolate and oatmeal cookie aroma, tastes of hot chocolate, sweetened cold brew coffee, and ends with a subtle warmth from the Ancho chilis. 
- 2XSMASH : STBC's Single Malt And Single Hop Double IPA features one variety of hop: big, juicy Mosaic Hops and one type of malt: Special Pale Malt. It's amazing how complex the flavor of just one type of hop and one type of malt can be...
- Experimentalis With Meyer Lemons (Ransom Spirits Pinot Noir/Gin Barrel) : Experimentalis is our barrel aging project using fruits that are grown in our Horticultural Area. Each release is unique and no two releases will taste the same.
- Schlafly Watermelon Lager : In 2016 we began trialing more beers that incorporate ingredients both during fermentation and after. For this refreshing version, we brew our popular Helles-style lager then add watermelon purée to the fermenter. It emerges smooth, bright, and malty but with a twist of flavoring sweetness from the fruit.
- BeanOrMaGene : Woodford Reserve barrel aged Imperial Porter, Hugene, further aged with Revolution Dark Matter blend.
- Process/Progress #1 : The first run of our new single batch, one offs for the tasting room to try new ingredients/new processes. #1 is an oatmeal IPA with Nelson Sauvin, Motueka and Centennial hops. Lemon/lime pith/white grapefruit, earthy.
- Tucking Friple : Brewer Danny Bruckert flexes a little muscle with this brew- a monster Belgian Tripel brewed with coriander that tips the scales at 9% ABV. The Tucking Fripel is lightly hopped with Czech Saaz and Hersbrucker to let the complex spicy-fruity yeast and loads of malt shine. Beneath a dense and creamy head is a bad-ass brew to be respected and sipped slow.
- 2: Amber Ale : This amber ale has a subtle hop backbone that shows off a complex malt character with crystal malts from Chile. They display the common characteristics of carmel, toffee and lightly roasted flavors of crystal malts but with more depth and presence. Malty goodness, medium body.
- Permagrin Rye Pale Ale : This special brew incorporates malted rye in the grain bill lending a spicy character and complex flavors. Generously hopped with Amarillo, Simcoe, Cascade and Centennial. This hoppy pale ale has a sneaky bite that will creep up and leave you smiling!
- Antigluten Double Pale : Gluten-free beers should not have to be bland, so to further our mission to boycott everything bland, this is a gluten-free strong pale ale made with sorghum, brown rice and dark Belgian candi sugar, resulting in a beer with deep golden color, medium body, medium maltiness and low caramel character. Large quantities of citrus-like American-variety hops produce high hop bitterness, flavor and aroma. Fruity-ester flavors and aromas are strong with notable aromas and flavors from the unconventional gluten-free grains.
- BOOM! Choc-O-Lotta : A darker Märzen lager is aged over gobs of cocoa nibs and vanilla beans to impart an explosion of luscious, chocolatey flavor amongst the rich, German malts. 
- Brewer's Alley 1634 Ale : "1634 Ale" was created by Tom Flores, master brewer at Brewer's Alley, following research of historic recipes and raw materials available in centuries past. "We used ingredients that would have been found in the austere conditions of early colonial Maryland," said Flores of his rye-based ale recipe that also includes malted wheat, molasses and caraway. Flores says caramel and dark malts round out the flavor of the "lighter bodied ale."
- The Defender American Stout : This big, malty, pitch black ale was brewed with roasted barley, chocolate malt and dark crystal malt. Then we hopped with Cascade & Centennial & finished with a dry hopping of Chinook & Centennial.
- Abita Select Pilsner : Our Pilsner is similar to the Czech original, but all of the flavor characteristics are slightly intensified. The beer is slightly darker, maltier, and has more hop aroma. The water in Abita Springs is very similar to that in Pilsen and we do not artificially adjust it to achieve the authentic pilsner taste. Our Select is made with Pilsner, Munich, Cara Munich, and Cara Pils malts. In keeping with tradition, it is hopped and dry hopped exclusively with Czech Saaz hops. The resulting beer is a dark golden color with a sweet malty taste and floral hop aroma.
- Final Entropy : We’re excited to introduce Final Entropy — our collaboration with Jackie O’s Pub & Brewery in Athens, Ohio. For Final Entropy, we kept things remarkably simple and made a Kolsch inspired beer. For those who’ve been following us throughout the years, you’ve probably noticed how in addition to making barrel aged sour beers inspired by breweries like Jolly Pumpkin, fruit refermentations inspired by breweries like De Ranke, and spontaneous fermentations inspired by breweries like Cantillon, sometimes we like to brew simple, little, hoppy, dry beers for enjoying around the brewery. A visit from our good friend Brad Clark of Jackie O’s gave us a chance to indulge in this desire.
- Hearts Alive Double IPA : Hearts Alive Double IPA features a copious amount of American hops well balanced by a firm malt backbone. Dry-hopping with Simcoe, Bravo and Summit hops drives the complex aromas and flavors of our DIPA. Flavor packed and smooth.
- Tail Waggin' Double White Ale : Tail Waggin’ Double White Ale is brewed in the Belgian tradition, using malted barley, wheat malt, candi sugar and a unique touch— unmalted rye. Noble-type hops are used for balanced bitterness, with spices added in the whirlpool. We followed the Belgian tradition of using bitter orange peel and coriander, then added a bit of lemongrass to make our wit something special. Finally, we fermented the beer with a Belgian witbier yeast that adds its own complexity with spicy phenols and fruity esters.
- White Birch Barrel Aged Indomitus (Batch 1) : Barrel fermented, untamable, fierce; Indomitus. This Wild Ale is fermented in oak with our house yeast, a blend of brettanomyces and aged hops. It’s brought to you unblended and uncut, creating a sharp, tart flavor with fascinating fruit notes.
- Cream Dream III: The Search For Hops : Cream Dream III: The Search for Hops is a West Coast Style IPA. It is the third time around for our Cream Dream Series and is more or less a conduit for the hops. CDIII:TSFH is hopped with Simcoe, Citra, and Centennial which lend heavy grapefruit, mango and tropical fruit flavors.
- Banana Split Chocolate Stout : Dark chocolaty stout with caramel, toffee and roasted malt flavors. Crisp and smooth with distinct banana overtones.
- Who's Brett? : Strong Dark Sour Ale.
- Spruce Beer : North America’s oldest beer style brewed with local Spruce & Fir tips, blackstrap molasses and dates. Dark amber and brown colouring. Aroma is a comforting mix of spruce boughs, caramel malts, molasses and dates. Complex and full-bodied, it balances the crisp bitterness of spruce and fir gum with the warming flavours of molasses and bittersweet chocolate.
- Flame Tamer : This beer's low bitterness and simple malt profile make way for the hop's Citra, Mosaic, LupuLN2 Cryo Hops, and Denali. The combination gives it a nuanced profile of ripe fruit, citrus and pineapple.
- Static Chipmunk : A light bodied, assertively bitter and dry finishing IPA. Static Chipmunk pours a hazy gold color, with a huge aroma of tropical fruit and pineapple, imparted by American hop vareities, Amarillo, Simcoe and Mosaic.
- Sofie Paradisi : Sofie, as you have come to know and love her, is a saison brewed with orange peel and aged in wine barrels. Keep citrus in the family, Paradisi uses grapefruit. 60% ale aged in barrels with grapefruit, 40% ale.
- Get Schwifty IPA : Hazy, peachy, light bodied and creamy, this 7.4% is heavily late hopped with a variety of hops. The cast of characters includes Chelan, Mandarina Bavaria, Simcoe, Ariana and Callista hops, and pale, pilsner and wheat for a grain bill. The real superstar in this beer is the yeast, though which leaves behind a ton of soft stone fruit vibes that compliment the hop oils well.
- 22 : Let's get some French toast! This big brew is rich & malt-forward with a complex backbone of specialty malts, spices and orange peel. Sweet, bready, caramel flavors should prevail along with hints of smoke, spice and citrus. Liquid version of a classic breakfast…
- Dough Head Gingerbread Ale : Mix and pat, and bake in a pan, get this gingerbread ale while you can. Dough Head mixes the best of brewing and baking to create a beer with a touch of spice that is balanced with a malty sweetness. So instead of a trail of breadcrumbs through the dark forest, follow this delicious treat for a pint of perfection!
- Merkel (Balaton) : This batch of Merkel Balaton exhibits notes of red blowpop/red jolly rancher, ginger, nutmeg, white pepper, lemon peel, rose petals. Tasting nice and juicy now, but will surely develop some tertiary fermentation characteristics with time. This is not a sour beer, it’s a #realfruitbeer. We use real, whole cherries grown just up the road and let mature beer chill on the fruit for a couple of months at least to coax out some very special flavors and aromas. We don’t use purees or concentrates. This is a real #countrybeer
- Winter Warmer : Deep amber colored ale, rich malty flavor and aroma with a distinct biscuit and caramel character, just a hint of fruitiness followed by a solid hop finish. Brewed with a blend of American, British and German malts. Apollo hops and a classic British ale yeast. 18.5 degrees Plato, 8% ABV, 60 IBU.
- Galactic Wrath : In August 2012, for the First Year Anniversary at our Tap Room and Restaurant, we decided to take two of our favorite Dust Bowl beers…Galaxy Pale Ale and Son of Wrath Double IPA…and formulate a new IPA recipe using elements from both beers. The result was a delicious, bold IPA with the fruity, citrus character and malt backbone of Son of Wrath, as well as the tropical aroma and easy drinkability of Galaxy Pale. It was so popular with our fans, we decided to brew more.
- Òrach Slie : Orach Slie (or “Golden Nectar”) is a variant of Schiehallion Craft Lager matured in casks from the multi-award-winning, family-owned Glenfarclas Distillery. In contrast to the punchy, dark Ola Dubhs aged in casks from the wild isles of Orkney, Orach Slie is a much lighter, easy-going beer that reflects the softer, sweeter malts of Glenfarclas which nestles in the rolling Speyside moors of Banffshire. Having trialled a variety of different beers, the brewers settled on a lightly-hopped, high-abv version of Schiehallion to perfectly complement the classic, honeyed-sherry malts of Glenfarclas.
- Brethren's Sessionable : Brethern's Sessionable is the ale you drink with your friends when you are hanging at the tavern just telling stories and ordering pint after pint. The beer is a low alcohol blend of American malts. A light brown color the beer has a wonderful nutty, malty and slightly chocolatey flavor with a just the tiniest amount of hops to keep it honest. Grab some friends, sit down and enjoy a Brethern's.
- UFO Gingerland : It took a while for us to come up with a UFO beer that could withstand the darkest days of the year, but the warmth of ginger combined with the seasonal spice of cinnamon and clove form a perfect companion for a visit to Gingerland. Brewed, not Baked. Poured, not sliced. Inspired by a classic tale. Deliciously spiced. Welcome to Gingerland.
- Citra Extra Pale Ale : A single hop, West Coast style American Pale Ale with intense hop flavor and aromas. This is a citrus bomb that has grapefruit and passion fruit aromas with citrus lime flavors.
- Sierra Nevada Ruthless Rye IPA : Rugged and resilient, rye has been a staple grain for ages and its spicy black pepper-like flavor has been prized by distillers and brewers for centuries. Rye thrives in the harshest conditions and comes to life in Ruthless, a rugged IPA with fruity, citrus and herbal hop notes countered by the dry spiciness of the rye. Holding a steadfast balance between contrasting malt and hop character, Ruthless is bold enough to inspire even the most brazen hop head to bear down and embrace the flavor.
- Crooked Stave Wild Wild Brett "Green" : Wild Wild Brett Green is an Empirically Hoppy Brettanomyces Ale. Fermented entirely with Brettanomyces yeast and over 3lbs of hops per barrel of beer. Green pours a golden hue delivering fruity and citrusy aromas from the use of Galaxy hops, while the Brettanomyces yeast add their own tropical fruit and funky undertones to the finish.
- Blitzen 2013 : Though it beholds no actual hallucinogenic properties, we do hope the 2013 version will give you visions of sugar plums dancing in your head. This tart and fruity brew boasts a one third sour mash foundation with the addition of fresh blue plums and lemon zest.
- Beekeeper - Yellow Birch-Aged : Imperial IPA brewed with Honey and conditioned on Yellow Birch. The floral bouquet of aromas from the honey works in tandem with the hops from America and New Zealand to create a truly unique aromatic experience. Lemon, honey drizzled croissant, and tropical fruit notes brought by conditioning on Yellow Birch lends subtle complexity to a rich malt backbone and an explosion of citrus hop flavors.
- Cashmere Pale Ale : Brilliant gold in the glass, with a sweet, fruity nose. Light malt sweetness is followed by mild resinous hop notes and a subtle melon finish. As smooth as the name suggests.
- Midnight Ride Stout : Our dry stout is a medium to heavy bodied dark ale with a complexity all it's own. The creamy flavor gives way to the deep roasted coffee notes, lending to it's rich aroma. Brewed with a generous helping of grain and enriched with Mt. Hood and Cascade hops, this stout is one which can be enjoyed by any pallet.
- Art Of Darkness : Let us now acknowledge the dark arts of brewing. Our limited edition Art of Darkness Ale is deep, dark and magical, with champagne-like carbonation and rich matiness from a complex recipe of multiple barley and wheat malts, as well as flaked oats.
- Bona Fide Imperial Stout : Bona Fide Imperial Stout is a collaborative effort with Goshen Coffee, a local fair trade coffee roaster. This beer is big, bold, and in your face. Bona Fide pours black as night with a smooth mouth feel. Aromas of espresso, dark chocolate, roasted malt, with nuances of vanilla. Drink now or cellar for up to 5 years.
- NY2 New York State Grisette : This table beer uses all New York State malts and hops. Malted oats gives the beer a full mouthfeel and NYS Cascade and Willamette hops lend a balanced and fruity bitterness.
- Double Pot & Kettle : The addition of Dark Belgian Candi Sugar was responsible for furthering the depths of charred fruit and roasted flavors. This special sugar bumped up the abv to 9% but its tremendous fermentability resulted in that same smooth drinkability you come to enjoy in Pot & Kettle. We aged a portion of this 1.5bbl pilot batch on American oak staves and Vanilla Beans.
- Cherchez La Femme Milk Stout : This blend of ten different malts creates an unsurpassed richness and complexity. We start with a premium Pale Ale base malt that gives a soft, clean maltiness. We add specialty malts like Black Malt, Crystal, Bonlander Munich, and Breiss Special Roast, layering in the malt flavors – roastiness, caramel, chocolate, and coffee. Flaked barley adds a full body of extraordinary creaminess. The flavor is balanced with the mellow sweetness of milk sugar and a hint of smooth Fuggle hop bitterness. The aroma is malt- forward, with a whisper of herbaceous hops and a touch of mint.
- Waffle Stomper : Belgian yeast combines with American hops to create this unique IPA. Fruity notes from the Belgian Yeast as well as Citrus from the use of Perle, Simcoe, Cascade and Citra Hops. Dry Hopped with Simcoe, Citra and Nelson Sauvin.
- Poppy Agave Ale : A crisp, clean ale brewed with agave nectar and poppy seeds for a slightly sweet, nutty flavor.
- Baranof Barley Wine : Brewed with cyrstal, black and two row malts. Aged on brandy oak to bring forward the brandy notes of the brew itself. Deep amber in color with intense toffee and candied fruit maltiness, balanced by Mount Hood hops.
- Maiden Voyage : Behold! An ale for the adventurous spirit, the explorer in us all. A grand, fruity IPA showcasing earthy rye malt and pronounced citrus complimented by fresh tropical fruit aromas. Although this ale could accompany you well on long travels, we recommend you enjoy it fresh.
- Rickey : This trip starts as many do on a sunny Sunday afternoon at the tippy, discussing grill cleaning, spring, cherry blossoms and the flavors that coincide with the transition from spring rain to summer sun. Talk makes its way around the circle to Jeremy who offers, "Cherry and lime kind of kick ass together." The evolution from that declaration to Rickey was a short one. Sourness from wild fermentation pulls taught against the heady juiciness of the fruit, with a light finishing touch of juniper berries stitching it together. Drink Rickey because blossoms turn to fruit.
- Scratch Beer 63 - 2012 (Danny's IPA) : Danny’s IPA was brewed to honor Danny Glover, our good friend who passed away earlier this year. Dubbed Danny’s IPA, this Black IPA is modeled after Danny’s favorite beer, Nugget Nectar. It clocks in at 7.0% ABV and 100 IBUs. Per John Trogner III, “If anyone says it’s not hoppy enough, punch them in the face.” Rotten grapefruit flavors from Columbus hops dominate Scratch #63. The dry-hopping rate is nearly one pound per barrel creating a dank, piney aroma that gives way to a grassy finish. This beer was dry hopped at a rate of 1.25 lbs. per barrel, more than two times the rate of Nugget Nectar. Tröegs Brewery will donate $10 from every case of Danny’s IPA sold out of the brewery in Hershey to the Gift of Life donation program.
- Last Chance IPA : Last Chance IPA, 5.9% ABV, is a full-flavored hop assault delightfully lacking in balance. We’ve added a combination of Centennial, Cascade, Simcoe® and Columbus hops to produce pungent aromas of grapefruit, pine and citrus.
- Ergot : Whole cacao and local honey quadruple IPA. Brewed with malted oats, rye, and wheat, a dose of sorghum, and local wildflower honey. Refermented/conditioned atop cacao pods, fruit juice and then conditioned further on cacao nibs. Hopped and dry-hopped with Nelson Sauvin, Mosaic, and German Cascade.
- Strange Aeons : Aged for 1 year in Buffalo Trace bourbon barrels, this Dark Sour is jammed pack with blackberries, bourbon soaked oak and dark malt flavors.
- Vixen : Vixen is a Belgian Strong Ale aged for one year in Cabernet barrels with a house blend of bugs (lactobacillus, pediococcus, and Brettanomyces). A fruit-forward nose is followed with tart flavors of plum, cherry, raspberry, leather, and oak
- Ee I Ee I Oh! Farmhouse IPA : This summertime IPA has massive fresh fruit aromas, a light malt body, and a crisp bitter finish. Brewed using saison yeast this IPA has slight spice and pepper notes followed by a citrus hop finish. Yeeehaw!
- L'Amoureuse Blanche : It’s thanks to Raphaël’s friendship with Nicolas Pittet and Pierre-Alain Dutoit, winemakers from Lavaux/Vaud, that the L’Amoureuse beers were born. They’re real hybrids – born of a combination of dry Saison and the freshly-squeezed juice of local grapes, blended and fermented together. The result is a relatively dry beer with a light, fruity, vinous nose. Unfiltered, unpasteurized, and refermented in the bottle, the L’Amoureuse will continue to evolve and grow more acidy over time thanks to the wild yeasts that occur naturally on the grape skins.
- Virginia Strawberry : Brewed with wheat, a touch of rye and a ton (yes, a whopping 2,000 lbs. in a 40-barrel batch) of fresh, ripe strawberries grown by Agriberry at the Chesterfield Berry Farm just 30 miles from the brewery, Hardywood Virginia Strawberry is a fruit beer in all its glory. The color of a southern sunset, with a refreshingly delicate body, Hardywood Virginia Strawberry finishes with a hint of tartness and an irresistibly quenching character that makes it the perfect summertime libation.
- Red Raider Ale : A smooth Irish Style Red with a slightly nutty character from crystal malt.
- Tis' The Saison : Same base beer as Goldie Lochs; fruity and spicy, with a slight barn funk; light lemon notes attributed from Sorachi Ace hops. Fermented at a higher temperature (85 F).
- Truculent w/ Centennial : A nose that can be best described as "dank." This dry hopped beer pairs a resinous hop like Centennial with the subtle acidity of Truculent. The tropical fruit character of the hop shines through in the finish.
- Tone Poem : Weird de Garde brewed with oats, buckwheat, caramel malt, and PA wildflower honey. Fermented in our open top oak fermenters then conditioned in stainless steel for many moons on top of 240 lbs of sweet and tart cherries courtesy of our good friend Ben Wenk from @3springsfruit. Gently acidic, a bit prickly, and reminiscent of autumn foliage.
- Carrier Sessions : Collaboration with our friends from Carrier Roasting Company called Carrier Sessions a mild dark ale brewed with coffee.
- Senescent : A barrel aged dark sour ale. This is the first beer we ever brewed on our 1 bbl system. The base recipe was an American Porter that was fermented clean and then spent 16 months in a bourbon barrel with brettanomyces and various bacteria. The end result is a very sour dark beer more in line with a flanders brown than a porter. The roastiness of the porter has given way to fruity, vinous sour flavors with only the color hinting at what the beer started life as. This will be the only chance to taste this beer until later this winter.
- The Guilty Party ESB : This charmingly drinkable brew is a pleasure to share with friends old and new. Pleasingly full-bodied, it achieves a nice balance of caramelly, nutty, biscuity maltiness, and smooth but assertive bitterness. The premium English and Belgian malt comes through nicely in the nose, along with floral Indie Golding hops, and a wonderful fruitiness from the traditional English yeast.
- Sip Of Sunshine : This lupulin-ladin India Pale Ale is packed with juicy tropical fruit character, bright floral aromas and delectable layers of hop flavor. Pour mindfully, inhale deeply and enjoy a tropical vacation in a glass. Always store cold, enjoy fresh and stay cool!
- Smoked Märzen (Flynn on Fire Smoked Beer Initiative) : A strong dose of old world smokiness adds a whole new dimension to the Märzen experience. Our Smoked Märzen carries an intense smoke flavor that elevates this style to new heights of complexity and satisfaction. Take a few sips and be transported to the cobblestone streets and biergartens of Bamberg, Germany where Rauchbiers are a way of life.
- King Julius : The holiday season has a way of stirring up nostalgia. In late 2012, we brewed King Julius on our original Brew Magic brewing system - a whole ten gallons of it! Despite the size of the batch, the memory of it is enormous in our hearts. The thought of it brings us back to our cozy Brimfield barn, with the wood stove cranking, the record player spinning, Santa Dean mulling about, and Lauren and Kim filling growlers out of a modified chest freezer in a small nook under a wooden staircase. As we continue to move forward in our journey it felt like the perfect time to pay homage to our beginnings. King Julius is our endeavor to marry our past with what we aspire to be in the future. King Julius is an American Double IPA brewed to be an exceptionally flavorful, juicy, and hop saturated beer while never tiring the palate. It’s vivid citrus aromas give way to flavors of orange creamsicle, mango smoothie, and a bounty of fresh tropical fruit. We find it to be supremely soft in the midst of an onslaught of flavor. . . A beer we are quite proud of.
- It Is What It Is : When we received a new shipment of hops in, including some experimental varieties we immediately set to work figuring out what the profiles were. We brewed this beer with 100% Experimental #4 Hops from Crosby Hops in Oregon. The hops are said to be in the High Oil Cascade and Amarillo family and we found there to be notes of pear, nectarine, peach and slight pine. The beer had a standard but soft malt base consisting of a large amount of pilsner malt and a touch of wheat as well to help provide a round mouthfeel and body. Most of the hop additions were added at the whirlpool as to bring out the fruit and pine aromas in the beer. We then dry-hopped with over 3 lbs per bbl to add more character. It's our take on a modern blonde ale and probably fits more in the pale ale category but we still love it!
- Moxie Fruit : New England IPAs are known for their haze and fruity character, and Moxie Fruit is a perfect example. You’ll experience orange and mango notes that combine with a creamy body to make this special brew drink like a tropical dreamsicle.
- Magma Noir Trois : Dark ‪sour ale‬, aged in red ‪‎wine‬ barrels with ‪‎brett‬ trois.
- Intensified Coffee Porter : Brooklyn Intensified Coffee Porter starts as a big, chocolatey ale, ready to take on super powers. The first power is gained from months of aging in Kentucky bourbon barrels. The second arises from delectable beans harvested by our pals at Finca El Manzano Single Origin Coffee in El Salvador. The final power comes from Blue Bottle Coffee, who roast the coffee to perfection. Brace yourself for complex notes of dark chocolate, vanilla, oak, berries, and dried fruit, coming to intensify you.
- New Bermuda : New Bermuda is a Pink Lemon Double IPA brewed with globs of fluffy oats, locally grown pink lemons and hibiscus. Hopped in the kettle assertively with Citra. Then aggressively dry hopped with Lemondrop and Citra. Notes of Mango punch, sugar coated lemon, rainforest dew drop, and ripe passion fruit.
- Mezcal Barrel Aged Black Pale Ale : This Black Pale Ale offers a smooth and complex contrast of dark chocolate and roasted malt flavors with bright and tropical guava, mango and pear hop flavors and aromas. Three different American malts stand up to generous amounts of West Coast El Dorado and Citra hops in an unfiltered and unpasteurized ale. Finally, it is aged in oak Scorpion Mezcal barrels from Oaxaca, Mexico for several months to impart a unique smokey, charred oak and roasted agave finish.
- Porter : A dry, robust porter with big, roasted malt character. Dark chocolate and coffee flavors are prevalent, while a light touch of earth English Fuggle and East Kent Golding hops give harmony to this dark classic A fanastic cold weather beer.
- Caryopsis : This was an exciting beer for us to make. It was a delicate, two day process, of breaking & baking bread, brewing, friendships, and community to create this neo, yet tradition inspired beer. Notes of bread crust, hay, light grapefruit, and fresh pasture. Brewed in collaboration with Deer Creek Malthouse and Ona Weatherall of Kimberton Waldorf School.
- Pulling Nails Blend #5 : Pulling Nails is an ongoing experiment in the art of blending to create sour and wild ales of extraordinary depth, complexity and balance. 
- Can Can - Cerise : Strong dark sour ale aged a total of four years in American oak red wine barrels. Tart red cherries were added to the barrels for the last year of aging. 100% bottle conditioned.
- Resolve : A hop-forward dark ale that balances hop aromatics and flavors with a restrained dark malt character and a full soft mouthfeel.
- Single Barrel Foggy Notion : Not quite English. Not quite American. Foggy Notion is a big ole’ 100% Ozarks-born barleywine ale. We have taken the heart of our standard issue Foggy Notion and captured it in this limited release bomber. Straight from the sherry barrels to give this full-bodied beauty a fruity, nutty, sweet, rich brown sugar flavor with the faintest hints of oak. Single barrel Foggy Notion is not for the faint of heart. Bottle conditioned so feel free to lay this bottle down for a spell and see how the flavors evolve.
- Luminescence : Luminescence is a sour ale exploring the boundaries of our own greenhouse yuzu fruits. It is dry hopped using freshly grated yuzu zest and leaves from our greenhouse along with full cone flowers of Hallertau Blanc & Mosaic.
- Deep Cocoa : Dark, roasted barley. Rich, deep caramel. Decadent, fruit-tinged chocolate. We've unlocked the mysteries and nuances of malts to deliver these luxurious and provocative flavors in this complex and satisfying porter. Raise your glass and taste the Victory of Deep Cocoa!
- Enjoy After Brett IPA : This IPA is spiked at bottling with Brettanomyces, a wild yeast that, over time, brings about charmingly unpredictable complexities of spice, funk, acidity and more. The operative words in our beer-cellaring thesis are "over time." For those of you who are impatient or like to experiment, the earliest we recommend sampling this beer is one year before the date on the label. The beer won't be fully carbonated until that date. Ideally, you'll want to cellar the beer up to—or beyond—the Enjoy After date to help it reach its full evolutionary potential. At that point, some facets of the Brett characteristics will have mellowed, while others will have become more profound; it all matures into a fascinating and delicious culmination. Individual results will vary...and that's both the beauty and the intent behind this beer.
- Backhanded Panther : A super fruity, hazy IPA hopped entirely with Australian hops. Backhanded Panther is full-bodied and easy to drink thanks for hefty additions of spelt and oats.
- Ravenscourt Park Chocolate Brown : Chocolate lovers delight! The Lena Chocolate Brown is a medium-bodied brown ale featuring real chocolate in each batch! Dark brown in color, and rich in chocolate flavor.
- Saison Magnolia : Our house standard saison built to be dry and expressive with multiple saison yeasts plus added complexity from two strains of brettanomyces.
- Dark Ale VIII: Cthulu Is Defeated... : Dark Ale VIII: Cthulu is Defeated or Roosevelt Heads to Belgium; Crowned King of the World: A Cthulu Tale
- Po Tweet : Po Tweet is a sour pale ale packed with a blend of our favorite local Four Star Farms hops. It's bright and well balanced, slightly hazy and tart, very dank and fruity. One sip and you'll want to finish the whole growler. So it goes.
- Parsimony : A strong, dark sour ale aged in red wine barrels, sharp acidity with hints of red fruit & chocolate brownie.
- SPF : Brewed for the upcoming (hopefully) warm weather with a traditional Kolsch yeast, which lends toward a fruity and flavorful beer with a nose of floral and fruity hops and a soft malt body with a crisp, dry finish.
- Yuzu Saison : Yuzu is a pretty cool fruit. It's an intensely aromatic citrus fruit. We really like it for the subtle pine aroma it adds to this saison brewed with a spicy yeast. It's light, bright, with a lively effervescence. We're pleased with the way this one came out, hope you enjoy it as well.
- Fated Farmer: Blueberry : The addition of fresh blueberries sourced from Ward's Berry Farm in nearby Sharon, Massachusetts create a beautiful crimson/purple hue. Aromas of dark cherries, blueberry, and an earthy funk give way to a tart blueberry palate teeming with notes of nutmeg and mulled cranberries.
- Dark Forest Porter : Flavor and aroma are dominated by dark chocolate with hints of all natural sweet and tart cherries added to the serving vessel.
- Periwig : Rich, malty, dark and complex bitter delight.
- 10w Porter : This full bodied British porter is an aggressive take on the classic style. The nose is dominated by notes of dark chocolate and coffee, while the flavor profile is full of complex toasty, malty and burnt sugar flavors balanced by an approachable roasty note. Pair this beer with fatty cuts of steak, chili, and stilton cheese.
- Equinox Pale Ale : The third installment of our Pale Ale series contains four additions of Equinox Hops. Tropical fruit and fresh peppers combine in this refreshing beer. 
- Vic Secret : This IPA is bittered with Columbus and has large whirlpool additions of Vic Secret (an exciting, relatively new hop from HPA – Hop Products Australia), plus mosaic and Galaxy. The beer was then dry-hpped with more Vic Secret. This IPA packs a wallop of passionfruit and pineapple aromas and flavors with a piney resin finish.
- Room For Me : We all know the old adage: “when life hands you a lemon, make lemonade.” But what do you do when your friends at Masumoto Family Farms deliver a fresh harvest of juicy nectarines? You stop what you’re doing and join coworkers from all areas of the company at Bruery Terreux to carve up nectarines to make a small batch, limited edition, fruited sour. Nectarines with a sour blonde ale aged in oak: it’s the perfect fit.
- Stramboozled : Blend #1 – Stramboozled is a special three way blend between Brouwerij Alvinne (Moen, Belgium), Hanssens Artisanal (Dworp, Belgium) & OEC Brewing. The blend includes serveral different sour ales that were matured in oak barrels with one of three different fruits: strawberries, raspberries or cherries. Blended on 8/19/2017.
- Helmet Streamers : Chardonnay barrel aged brett saison with Calamansi fruit
- Hostile Intent : This Earth Day may be our last! The Invader makes contact in Hostile Intent, a Tart Wheat Ale featuring intergalactic starfruit and beams of bright kiwi!
- A Beer Down Under : After a long ride down the hoppy trail in a fried out kombi, our brewers came home inspired to brew this dry, quaffable pale ale that features a fruity, tropical hop punch of flavor from the use of Galaxy and Ella hops from down under. Cheers mate!
- Never Mind : Never Mind is the next Gose in the Never series. This time we bombed the heck out of this Gose with plums. Good gracious this one is insane. Just as much fruit as Never Again, but this is just straight up plum juice. At 4.9% you can drink this for days.
- Wild At Heart : Wild at Heart is an audacious new ale in our Brewermaster’s Obession Series. In a rarely-employed technique we use only wild brettanomyces yeast in primary fermentation - the very heart of the beer. The brettanomyces yeast imparts robust fruit flavors and aromas, and combines with Motueka and Topaz hops to create uncommon tastes and aromas.
- Reality Checker Series: Mango Passion Fruit Berliner Hopped With Equinox : This experiment in the Reality Checker Series is our house Berliner elevated with big flavors of tropical fruit and berry, accentuated by the tropical notes in the equinox hops used in dry hopping.
- Saving Daylight: Guava : Saving Daylight: Crisp, Refreshing, Citrusy. A quaffable American Wheat Ale brewed with orange and grapefruit peels. The hop back addition of whole-cone Centennial hops balances the citrus and provides a subtle yet flavorful bitterness. This complex take on a wheat ale is brewed for the days you just don’t want to end! 
- No Rest For The Wicked : No Rest For The Wicked is a distant cousin of No Sleep Till Brooklyn, a collaboration beer we did with Jeppe of Evil Twin/Tørst almost a year and a half ago. Because we love the interplay of tart and roasty so much, we decided to brew a similar style, this time with a revamped malt body and more bugs! Yes, that’s right, this stout is a veritable mecca for the sorts of yummy bacteria that make you pucker. With strong notes of cocoa, delicious undertones of sour cherry, complex brett-derived aromatics, and a 6 month power nap, this beer is one of those perfect sippers we wish we could keep all to ourselves.
- Shifting Gears IPA #13 : Our ever rotating Shifting Gears IPA brings us a new IPA with every batch! #13 is brewed with 2-row and Vienna malts, and heavily hopped with Warrior for bittering, as well as Magnum and CTZ (Columbus/Tomahawk/Zeus) for a hefty grapefruit rind, pine and resin dankness.
- Maisel & Friends Stefan's Indian Ale : My interpretation of a traditional India Pale Ale, with a pleasant dose of bitterness and a fresh, fruity taste. Inspiring and exotic. Surprises with citrus notes and floral nuances and finishes with hints of wild honey and caramelized malt.
- Tropical Galaxy : Tropical Galaxy is a cosmic elixir of lush equatorial flavors. We blended mangoes, lime and coconut together in oak foedres with our farmhouse-brett base beer to create a far out and funky tropical treat. We finished it with a generous dry-hopping of Australian Galaxy Hops, contributing aromas of passionfruit and citrus. Enjoy on your next intergalactic odyssey with fresh crab, jerk chicken or scallop ceviche.
- Vexovoid : An ale as complex and mystifying as a lovecraftian tale. A broth of barley and wheat is brewed, inoculated, and incubated over many day. The resulting miasmic concoction is fermented with Brettanomyces, creating a wonderfully tart beer which is unsettlingly delicious. Allowing this beverage to continue its slumber within this glass tomb will allow for mystical forces to further infuse this beer with otherworldly flavors and complexity.
- The Cut: Grape - Red Chambourcin : Our first grape beer from the 2017 harvest! Chambourcin is a red grape variety with blood red juice. We sourced several red grape varietals last year, but this was by far the darkest we saw during our crush. We aged the barrels of Oak Theory on the grapes at a rate of 4 pounds per gallon for 2 months to get the maximum extraction of color and flavor as we could.
- Thresher Coffee Saison : Built from the ingenuity of North Carolina artisans, we utilize Riverbend Malt's barley and wheat and, for this season, we used Kushikamana, a Kenyan single-lot seasonal bean from Counter Culture Coffee to maintain the beer’s rich golden color. The exhibition of phenols from our farmhouse yeast meld perfectly with aromas of stone fruit, roasted nuts, and subtle coffee.
- No. 9 IPA : Our flagship ale. Glowing, ruby-tinged colour. Piney, citrus bouquet. The taste is a finely tuned balance of power, big malts and big hops underpin the beer's high gravity. Dry hopping contributes to No.9's distinctive grapefruity finish. Nine traditional ale malts and Cascade hops.
- Brother Maynard : From the caves of Caerbannog, to the frozen lands of Nador, there is much rejoicing! Brother Maynard comes to blow thy enemies to tiny bits, in Thy mercy. Five hops and five (three, sir!) three malts taunt your palate until you run away. Pairs well with lambs, and sloths, and carp, and anchovies, and orangutans, and breakfast cereals, and fruit bats, and large…
- Cyclone IPA : Originating in the South Pacific, this storm rotates clockwise, opposite to a Hurricane. This IPA contains generous helpings of Down Under hops: NZ Pacifica, NZ Motueka and Aussie Ella. That means complex orange, grapefruit and spice notes and South Pacific brewing heaven. Batten down the hatches; this brew will knock your socks off.
- All Or Nothing : Hazy, Rock Candy, Evergreen, Fruit By The Foot™, Melon Smoothie. Hopped with 100% Mosaic.
- 100% Lacto Berliner Weiss : Brewed solely with Lactobacillus and exclusive to the Rare Beer Fest, this refreshing wheat beer has notes of pear, apple, and white wine fruitiness that finishes dry and mildly tart.
- Yeoman Johnson I : The first in the ongoing voyages of Yeoman Johnson the redshirt. 100% Michigan grown hops: chinook, crystal, and heritage. Dank, resinous aroma with a spicy tropical fruit background, suggesting guava and grapefruit. Bitter, but balanced. There will be another Yeoman Johnson, but he'll be a different Yeoman Johnson. Same fate, though.
- Cocoa Fuego : Stout brewed with Dark Chocolate & Chipotle Peppers.
- Curiosity Forty Three : The art and science of brewing continues to captivate us - every opportunity to experiment is enriching in a way that is difficult to describe. To that end Curiosity Forty Three aims to pair an expressive hop with an expressive fruit. Our current crop of Simcoe has been exhibiting wonderful characteristics of red grapefruit. To amplify and complement this character, we introduced peak Texas grown red grapefruit into the mix. Utilizing fresh pressed juice in the kettle and fresh rind during cold conditioning along with heaps of beautiful Simcoe hops, Forty Three exhibits authentic flavors and aromas of red grapefruit and tropical fruit and finishes with a clean and pure rind character. A soft body and supple mouthfeel contribute to a beer that is both well rounded, extremely flavorful, and wholly unique. We hope it can contribute in a meaningful way to a joyful holiday celebration.
- Kwikriek : Kwikriek is an American Sour Ale brewed with Northern Michigan cherries and Lactobacillus. This beer is bright pink in color and smells of fresh cherry. The beer is tart with a strong cherry flavor and finishes quite dry. Light in body with an appealing fruit flavor, Kwikriek is a very approachable sour beer.
- Father Of All Tsunamis : One-upping the mighty Tsunami Stout is no easy task. To create a beer with even more stout character, our brewers reimagined the fabled Tsunami Stout and created a new Imperial version. Full of rich roasty flavors reminiscent of dark chocolate and espresso, Father of All Tsunamis takes things one step further by aging in Rye whiskey barrels. With layers of spiciness, vanilla and caramel coming from these barrels, Father of All Tsunamis emerges with a richness and balance beyond any stout ever created at Pelican before now.
- Dewberry Tart : Crafted in the style of a Berliner Weisse, this limited-release beer features wild yeast and extended fermentation to deliver a deliciously funky bite. Local Texas dewberries are used to impart floral tones and a refreshingly fruity finish.
- TBD Amber Ale : Deep red color, nose full of citrus and pine, rich malt body with notes of fruit, hop forward bitterness to balance and a medium finish.
- Necessity and Invention : In collaboration with Icarus Brewing...Necessity and Invention was created with ideas from both brewhouses; a hazy 5.5% easy drinking American Pale Ale brewed with El Dorado, fermented with tropical Guanabana fruit, dry hopped with El Dorado and Mosaic Lupulin, and back sweetened with Lactose.
- Rock Wit Me : Orange juice, zest, hints of coriander seed. Fruity with a dry finish
- Pale Horse : Our German Style Pale Ale is expertly crafted for maximum drink-ability. This is not your ‘Just have one’ craft beer, Pale Horse is the perfect beer for any occasion. With a recommended serving temperature of 45F, the exact temp at which hell freezes over, Pale Horse has been touched by the flaming hand of the Dark One for a golden color with a toasty light malt finish.
- Pineapple Sculpin : Our Pineapple Sculpin IPA came from one of many small-batch cask experiments to enhance the flavor of our signature IPA. With so many tropical hop notes in Sculpin, how could we not try adding some sweet, juicy pineapple? The combination of fruity flavors and hop intensity definitely packs a punch.
- IPA : Bira 91 "The India Pale Ale" is a hop mutiny in the glass. High in alcohol and brewed with the world's most flavourful aroma and bitter hops, this is a beer with a punch. Rich aromas of tropical fruit with a mildly sweet front start to seduce you, until you get hit by a burst of spicy, extra bitter finish.
- Barrel Aged Stay Puft : An Imperial Stout made with roasted marshmallows and graham crackers. Chocolate, cotton candy, and vanilla aromatics with flavors of charred marshmallow and dark chocolate. A collaboration between Barreled Souls and Slab Sicilian Streetfood. Finished for ten months in Woodford Reserve Barrels.
- Horn Of Plenty : Belgian Dunkelweiss - a malt bill similar to a dunkelweiss (German for "dark wheat") and fermented with a Belgian dubbel yeast strain.
- Jewel Pomegranate Dark Saison : This is Todd, the assistant brewer’s first beer! Dark rustic farmhouse ale fermented with a ghostly saison strain from Soy, Belgium. Tart and bone dry with notes of dried fruit and cocoa powder.
- Gose - Mango And Passion Fruit : A continuation of our fruited gose series, this batch was conditioned on mango and passion fruit puree. The addition of lactose makes for a luxurious body, while the vanilla complements the juicy fruit flavours.
- Arillus : Aged on pomegranate puree in red wine barrels for more than a year, Arillus packs a major pomegranate punch. This golden sour was blended to balance the acidity of the base beer with the sweet, tart flavor of the fruit.
- West Of The Sun : A light and fruity pale ale brewed using generous amounts of the New Zealand hops Wai’iti and Green Bullet.
- Ring Around the Gose : A pocket full of sea salt. Passionfruit! Guava! We all drink up.
- Lights Out : Introducing Lights Out - a new Tree House American Pale Ale! Lights Out is exceedingly well hopped at all stages of the brewing process, yet still balanced and delicate on the palate. The prevailing flavor is tangerine - even lingering pleasantly in the finish - with heaps of pungent grapefruit and citrus rind contributing to the complexity of this little delight. We find lights out to be an absolute joy to drink, and hope you do too. Welcome to the family!
- SMaSH Project (Made With Single Malt Maris Otter And Single Hop Mosaic) : Brewed with a single malt and a single hop to showcase the characteristics of each ingredient. Maris Otter, a classic English malt, delivers distinct nutty and biscuity notes while Mosaic hops impart an assemblage of tropical fruit, citrus, pine and herbal characteristics.
- 600 Lbs Of Sin : A medium bodied sour black stout with pleasant berry like aromas. Tart and sour dark fruit flavors up front are complimented by an overall malty sweetness. The finish is relatively clean with hints of lingering acidity.
- Metropolis Lager : Generously dry-hopped with a blend of Mosaic and Saphir hops, Metropolis Lager unites classic German-style brewing and West Coast innovation to create a refreshing yet flavorful lager. Metropolis pours a radiant gold, with tropical fruit aromas and a delicate floral note. Caramel malts lend a subtle sweetness to balance the dry, crisp character of the lager yeast.
- Brother Vesper : Brother Vesper sips his daily ration. Flavors and aromas of plum brandy, jammy wine, cordial cherries, wood spice plus a gentle alcohol tug. Strong? Dark? Stout? Quadrupel? Abt? Can I getta beer-blessed hell yes!
- Black Exodus : Oatmeal Stout brewed w/ Oatmeal, dark malt, and caramelized brown sugar.
- One T : One T is straw colored, and has aromas of citrus, melon, pineapple and passion fruit. Malty, citrus, and tropical fruit flavors are followed by a balanced hop bitterness in the finish.
- Fractal Vic Secret : Fractal Vic Secret pours hazy-straw yellow releasing aromas of pineapple, pine and passionfruit. The taste is fruity, clean and earthy with a light bitterness. The medley of characteristics makes the name “Fractal Vic Secret” warranted indeed.
- Big Punisher : A well-balanced double IPA with a semisweet malt backbone and complimented with generous amounts of citrus & tropical fruit hops. Rich, delicious, and rewardingly punishing.
- Stave Some For Me : A collaboration between Stoup and Wander. Two barrels of Wander Brewing Barrel aged Flanders Red were blended with one barrel of Stoup Brewing Golden Sour and one barrel of Stoup Brewing Brett Saison. All of the beers were aged for approximately one year in a combination of red and white wine barrels prior to blending. The resulting beer is light rust colored with firm acidity, balanced wood tannin and a complex rounded out palate.
- Plumb And Proper : Dark and sour with a touch of smoke. Brewed with plums.
- Maiden Voyage Pale Ale : This American style pale ale has hints stone fruit and pine with a light citrus finish.
- Romantic Chemistry : What you have here is a serious India Pale Ale shacking up and hunkering down with mango and apricots. At the same time! Romantic Chemistry is brewed with an intermingling of mangos, apricots and ginger, and then dry-hopped with three varieties of hops to deliver a tropical fruit aroma and a hop-forward finish. It’s fruity, it’s hoppy, it’s tasty!
- Crypt Keeper : Adams County Cider. Made from a blend of Adams County grown cider apples from our winsome fellow Ben Wenk from @3springsfruit in beautiful Adams County, PA.
- Hazey Jane II : Hazey Jane II is a nice and Hazey Double IPA. Brewed with malted oats, raw white wheat, and lactose sugar. Hopped intensely with Mosaic and Galaxy. Bright melon, blueberry, and resinous grapefruit. Let’s sing a song for Hazey Jane. 
- Dank Zappa : A super hop forward west coast IPA brewed with Citra, Mosaic & Idaho 7. A clean malt base supports the copious amount of citrus, tropical fruit and dank, resinous hop character and balances a bracing but pleasant bitterness.
- Slurm : Slurm is a hazy, juicy New England style India Pale Ale. Light orange in color with a prominent haze, Slurm has aromas of pineapple and mango. Big tropical fruit flavors hit you up front and carry through to the finish. This easy drinking, medium-bodied New England style IPA has a slightly bitter, dry finish.
- Siegfried : Brewed with German Pilsner and a touch of Munich malt, this crisp German-style ale was bittered with Hallertau Magnum hops and fermented with a classic Kölsch yeast strain - clean with a touch of fruitiness.
- Quadraphonic : Quadraphonic is the strongest of our Abbey series and is meant to be sipped and savored. It is a dark brown ale with a complex profile. On the nose, expect malty sweetness with complex esters including some dark fruit aromas (raisin, plum, fig). The mouth feel is medium carbonation with full body, there is a rich creamy head. The flavor is rich and full, a real “mouth bomb”. Malt flavors predominate, with spicy and dark fruit notes ­ raisins and dark cherries with dark chocolate come to mind. It is fairly dry for the ABV, keeping it “digestible” as the Belgians would say. This is a smooth drinking beer that can be dangerous, go easy on this one!
- Houston Triple Craft : Three Houston artisans combined their powers into one beverage! Houston Triple Craft is a Smoked Coffee Marzen brewed by Holler Brewing in collaboration with Greenway Coffee & Tea and Feges BBQ. Patrick Feges used a blend of Applewood and Maplewood to slowly smoke smoke 100 pounds of German pilsner malt. John Holler combined this smoky grain with a blend of light and dark Munich malts and a touch of Noble German hops to produce a smoked Marzen (aka a smoked Oktoberfest). Everyone agreed it was a delicious beverage but that it lacked a critical component: caffeine. Enter David Buehrer (Greenway), who used freshly roasted Brazil pulp-natural coffee beans to produce a double-filtered espresso that really ties the beer together.The result is a truly unique and surprisingly drinkable lager, featuring a rich, chocolatey espresso aroma, a complex malty flavor with a hint of vanilla, and a smoky, crisp finish.
- Hem & Haw : Dark farmhouse ale with Brett
- Pamplemousse Citrus IPA : This deep golden, medium bodied Citrus IPA offers up refreshment that will satisfy all your senses. Four hop varieties along with real grapefruit juice build a solid hop bitterness highlighted by citrus notes, both on the tongue and in the nose.
- Reverse Migration IPA : IPA brewed with mango & passionfruit, collaboration with Cigar City.
- Mash Temps Matter : This was our first brew day, and man did we miss our temps. Drastic measures were taken to salvage a drinkable beer... What we ended up with was a Porter with a nose of vanilla and coffee, and flavors of roast, chocolate, and dark fruits.
- Thorley’s (extra) Ordinary Bitter : Named for Brewer, Luke Thorley. A traditional English-style pale ale. Character is well-balanced between subtly floral hops and nutty/toasty malt. This is a medium bodied brew more flavorful than its low ABV would suggest.

 13030 beers found.
In [22]:
#    3.4. Which top three breweries produce the largest variety of beer styles?
query = """
    MATCH (brewery:BREWERIES)-[:BREWED]->(beer:BEERS)-[:HAS_STYLE]->(style:STYLE)
    RETURN brewery.name AS BreweryName, count(DISTINCT style) AS StyleCount
    ORDER BY StyleCount DESC
    LIMIT 3
"""
result = execute_read(driver, query)
print("The top three breweries with the largest variety of beer styles are:",
      "\n - 1st", result[0]["BreweryName"], "with", result[0]["StyleCount"], "styles.",
      "\n - 2nd", result[1]["BreweryName"], "with", result[1]["StyleCount"], "styles.",
      "\n - 3rd", result[2]["BreweryName"], "with", result[2]["StyleCount"], "styles.")
The top three breweries with the largest variety of beer styles are: 
 - 1st Iron Hill Brewery & Restaurant with 94 styles. 
 - 2nd Rock Bottom Restaurant & Brewery with 93 styles. 
 - 3rd Goose Island Beer Co. with 88 styles.
In [23]:
#    3.5. Which country produces the most beer styles?
query = """
    MATCH (c:COUNTRIES)<-[:IN]-(ci:CITIES)<-[:IN]-(br:BREWERIES)-[:BREWED]->(b:BEERS)-[:HAS_STYLE]->(s:STYLE)
    WITH c, count(DISTINCT s) AS NumberOfStyles
    ORDER BY NumberOfStyles DESC
    LIMIT 1
    RETURN c.name AS CountryName, NumberOfStyles
"""
result = execute_read(driver, query)
print("The country producing the most beer styles is:", result[0]["CountryName"], "with", result[0]["NumberOfStyles"], "styles.")
The country producing the most beer styles is: US with 113 styles.

4. Market Analysis department¶

In [ ]:
# 4. Market Analysis department in your company accesses and updates the trends data on the daily basis. 
#   Given that, consider how you need to optimize the database and its performance so that the following queries are efficient. 
#   Measure performance to communicate your improvements using PROFILE before final query. Answer the following: [4 points]
#    4.1. Using ABV score, find 5 strongest beers, display their ABV score and the corresponding brewery? 
#          Keep in mind that the strongest known beer is Snake Venom, and deal with the error entries in the database.

# 4.1. Find the 5 strongest beers by ABV score
query = """
    MATCH (b:BEERS)
    WHERE toFloat(b.abv) > 0
    RETURN b.name AS BeerName, toFloat(b.abv) AS ABV
    ORDER BY ABV DESC
    LIMIT 5
"""
result = execute_read(driver, query)
pprint(result)


# # Add index on abv
# query = """
#  CREATE INDEX ON :BEERS(abv)
# """
# execute_read(driver, query)        ##################### NÃO FUNCIONA

# # Profile before optimization
# query = """
#  PROFILE MATCH (b:BEERS)-[:BREWED]-> (br:BREWERIES)
#  WHERE b.abv IS NOT NULL
#  RETURN b.name AS BeerName, b.abv AS ABV, br.name AS BreweryName
#  ORDER BY b.abv DESC
#  LIMIT 5
# """
# result = execute_read(driver, query)
# print("The five strongest beers are:")
# for i, record in enumerate(result, 1):
#  print(f" - {i}st", record["BeerName"], "with ABV", record["ABV"], "from", record["BreweryName"])
[<Record BeerName="Earache: World's Shortest Album" ABV=100.0>,
 <Record BeerName='Radiohead - OK Computer' ABV=100.0>,
 <Record BeerName='water' ABV=100.0>,
 <Record BeerName='Dark Reckoning' ABV=80.0>,
 <Record BeerName='Snake Venom' ABV=67.5>]

MAL

In [54]:
#     4.2. Using the answer from question 2, find the top 5 distict beer styles with the highest average score of smell + feel that were reviewed by the third most productive user. 
#          Keep in mind that cleaning the database earlier should ensure correct results.

5. Graph Algorithms¶

In [31]:
#   5.1. Which two countries are most similiar when it comes to their top five most produced Beer styles?
#     2. Which beer is the most popular when considering the number of users who reviewed it? 
#     3. Users are connected together by their reviews of beers, taking into consideration the "smell" score they assign as a weight,
#        how many communities are formed from these relationships? How many users are in the three largest communities? 
#     4. Which user is the most influential when it comes to reviews of distinct beers by style?
In [ ]:
# 5.1. Which two countries are most similiar when it comes to their top five most produced Beer styles?
In [30]:
# 5.2. Which beer is the most popular when considering the number of users who reviewed it?
In [29]:
# 5.3. Users are connected together by their reviews of beers, taking into consideration the "smell" score they assign as a weight,
#      how many communities are formed from these relationships? How many users are in the three largest communities?
In [28]:
# 5.4. Which user is the most influential when it comes to reviews of distinct beers by style?